Flan-t5-Small - Test Classification Prompts#

In this notebook we are going to use the Amazon Review Dataset to test Promptmeteo in the sentiment analysis task

1. Data Preparation - EN - Build sentiment dataset.#

The dataset contains reviews from Amazon in English collected between November 1, 2015 and November 1, 2019. Each record in the dataset contains the review text, the review title, the star rating, an anonymized reviewer ID, an anonymized product ID and the coarse-grained product category (e.g. ‘books’, ‘appliances’, etc.). The corpus is balanced across stars, so each star rating constitutes 20% of the reviews in each language.

[1]:
import polars as pl
import sys

sys.path.append("..")

data = pl.read_parquet("../data/amazon_reviews_en/amazon_reviews_multi-test.parquet")
sql = pl.SQLContext()
sql.register("data", data)

sentiment_data = (
    sql.execute("""
    SELECT
        review_body as REVIEW,
        CASE
            WHEN stars=1 THEN 'negative'
            WHEN stars=3 THEN 'neutral'
            WHEN stars=5 THEN 'positive'
            ELSE null
        END AS TARGET,
    FROM data
    WHERE stars!=2 AND stars!=4;
    """)
    .collect()
    .sample(fraction=1.0, shuffle=True, seed=0)
)

train_reviews = sentiment_data.head(500).select("REVIEW").to_series().to_list()
train_targets = sentiment_data.head(500).select("TARGET").to_series().to_list()

test_reviews = sentiment_data.tail(200).select("REVIEW").to_series().to_list()
test_targets = sentiment_data.tail(200).select("TARGET").to_series().to_list()

sentiment_data.head()
[1]:
shape: (5, 2)
REVIEWTARGET
strstr
"I reuse my Nes…"positive"
"Fits great kin…"positive"
"Movie freezes …"negative"
"This is my thi…"positive"
"For the money,…"neutral"

2. EN - Sin entrenamiento#

Prueba 1#

[2]:
prompt = """
TEMPLATE:
    "I need you to help me with a text classification task.
    {__PROMPT_DOMAIN__}
    {__PROMPT_LABELS__}

    {__CHAIN_THOUGHT__}
    {__ANSWER_FORMAT__}"


PROMPT_DOMAIN:
    "The texts you will be processing are from the {__DOMAIN__} domain."


PROMPT_LABELS:
    "I want you to classify the texts into one of the following categories:
    {__LABELS__}."


PROMPT_DETAIL:
    ""


CHAIN_THOUGHT:
    "Please provide a step-by-step argument for your answer, explain why you
    believe your final choice is justified, and make sure to conclude your
    explanation with the name of the class you have selected as the correct
    one, in lowercase and without punctuation."


ANSWER_FORMAT:
    "In your response, include only the name of the class as a single word, in
    lowercase, without punctuation, and without adding any other statements or
    words."
"""
[4]:
import seaborn as sns
from sklearn.metrics import confusion_matrix
from promptmeteo import DocumentClassifier

model = DocumentClassifier(
    language="en",
    model_name="google/flan-t5-small",
    model_provider_name="hf_pipeline",
    prompt_domain="product reviews",
    prompt_labels=["positive", "negative", "neutral"],
    selector_k=0,
    verbose=True,
)

model.task.prompt.read_prompt(prompt)

pred_targets = model.predict(test_reviews)


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

Input text: It keeps the litter box smelling nice.


MODEL OUTPUT

 neutral


PARSE RESULT

 ['neutral']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

Input text: Installed this on our boat and am very happy with the results. Great product!


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

Input text: It is really nice to have my favorite sugar alternative packaged in little take along packets! I LOVE swerve, and it is so convenient to have these to throw in my purse for dining out, or to use at a friend’s house. While they are a bit pricey, I cannot stand Equal or the pink stuff in my iced tea. Swerve or nothing, so i am thrilled to have my sweetener on the go!


MODEL OUTPUT

 neutral


PARSE RESULT

 ['neutral']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

Input text: Easy to install, but very thin


MODEL OUTPUT

 neutral


PARSE RESULT

 ['neutral']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

Input text: It's an ok bin. I got it to use as a clothes hamper thinking it was more of a linen material, probably my mistake for not reading the description better but it's actually more like a plastic. Decided it would be better suited for my daughter's stuff animals. It's cute and serves a purpose and isn't all that expensive. Just not what I thought it would be when originally purchasing it.


MODEL OUTPUT

 neutral


PARSE RESULT

 ['neutral']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

Input text: Interesting from the very beginning. Loved the characters, they really brought the book to life. Would like to read more by this author.


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

Input text: It was dried out when I opened package. Was very disappointed with this product.


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

Input text: Works great and the picture is good, but it doesn't hold a battery long at all. I actually have to plug it in every night once I lay down or it won't stay charged.


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

Input text: Bought this item not even three months ago and am already starting to have problems. The steal slates to support the mattress (as advertised NO BOX SPRING NEEDED) does in fact need that extra layer of support. I am currently using about 7 blankets underneath my mattress for support. However my bed does stay in place, there is storage underneath like I needed and all around is a good product. But if you do plan on buying this item make sure you have the extra support for your mattress!!!


MODEL OUTPUT

 neutral


PARSE RESULT

 ['neutral']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

Input text: Corner of pop socket is faded I would like a new one!


MODEL OUTPUT

 neutral


PARSE RESULT

 ['neutral']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

Input text: After 5 minutes of supervised play, the motor started making high pitched terrible screeching noises. Don't buy unless you have a tiny, useless little rat of a dog. Wasted $18.00


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

Input text: I had to return them. They said they worked to recharge dog bark collars, but neither cord plugged into different USB outlets charged the collar.


MODEL OUTPUT

 neutral


PARSE RESULT

 ['neutral']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

Input text: NEVER RECEIVE THIS PRODUCT EVEN AFTER CONTACTING THE SELLER MORE THAN ONCE


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

Input text: I bought this from Liberty Imports and it was not secured in the packaging and did not work. I returned it for another one and with the same result. The second one had markings on the car that suggest it was used before.


MODEL OUTPUT

 neutral


PARSE RESULT

 ['neutral']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

Input text: This Christmas window sticker receive very small, not look like the picture.z


MODEL OUTPUT

 neutral


PARSE RESULT

 ['neutral']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

Input text: I always meal prep so I got these for my lunchbox to take to work. Awesome value for the price and love that it comes with a carrier.


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

Input text: The low volume is quite good just a little louder than expected but that’s okay


MODEL OUTPUT

 neutral


PARSE RESULT

 ['neutral']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

Input text: Lights are not very bright


MODEL OUTPUT

 neutral


PARSE RESULT

 ['neutral']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

Input text: Perfect color and really cool lighted keyboard, but it dents really easily just being in a backpack as we've only used it like 2 weeks and it's already dented. No instructions given to set up bluetooth or change lighted keyboard options or brightness. Had to look up how to do such using previous customer reviews (from their calls to customer service). Expected it to be more durable for a forty-five dollar+ case. Disappointed it dents so easily.


MODEL OUTPUT

 neutral


PARSE RESULT

 ['neutral']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

Input text: We have enjoyed this tray. It lets my sons color and play with their small cars/construction vehicles while in the car. It also allows them to color and keep busy. It has a cup holder that is easier for my 2 1/2 year old to reach than the one that comes with his car seat. Easy to install and also take off when not in use.


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

Input text: Works good; Never mind expire date, those are contrived.


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

Input text: Just like you would get at the dollar store.


MODEL OUTPUT

 neutral


PARSE RESULT

 ['neutral']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

Input text: Product is of lower quality


MODEL OUTPUT

 neutral


PARSE RESULT

 ['neutral']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

Input text: Very Pretty, but doesn't stand out well without a solid base coat. Great for little girls who want unicorn/fairy nails and when you don't want a bright color.


MODEL OUTPUT

 neutral


PARSE RESULT

 ['neutral']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

Input text: The range is terrible on these units. I have to pull all the way into the driveway before it will activate the door. We do like the size and that they are keychains.


MODEL OUTPUT

 neutral


PARSE RESULT

 ['neutral']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

Input text: Never got mine in the mail now that I’m seeing this! Wow. I’d like a full refund !


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

Input text: Somehow a $30 swimsuit off of Amazon is super cute and fits great! I just had a baby and my boobs are huge, but this covered me and I felt super supported in it. It’s a great suit!


MODEL OUTPUT

 [['positive', 'negative', 'positive']]


PARSE RESULT

 ['']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

Input text: Really, really thin.


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

Input text: I use to get these all the time. I missed them till I found them here. Do not like hot. These are perfect.


MODEL OUTPUT

 neutral


PARSE RESULT

 ['neutral']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

Input text: Since the banks have or are doing away with coin counting machines, this is the next best thing. I can watch TV and get the coins wrapped in no time.


MODEL OUTPUT

 neutral


PARSE RESULT

 ['neutral']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

Input text: Does the job, but wish I had ordered the stand


MODEL OUTPUT

 [


PARSE RESULT

 ['']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

Input text: On first use it didn't heat up and now it doesn't work at all


MODEL OUTPUT

 neutral


PARSE RESULT

 ['neutral']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

Input text: The nozzle broke after a week and I reached out to the seller but got no response


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

Input text: Much better than driving with no indication that you are a student driver. Maybe in the next set you can include "new driver" for when people graduate out of being a student driver. (for use after you pass the road test, etc.)


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

Input text: Much smaller than anticipated. More like a notepad size than a book.


MODEL OUTPUT

 neutral


PARSE RESULT

 ['neutral']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

Input text: My cats have no problem eating this . I put it in their food .


MODEL OUTPUT

 neutral


PARSE RESULT

 ['neutral']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

Input text: Amazon never deliver the items. Horrible customer service. Considering new purchase choices.


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

Input text: Great price. Good quality.


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

Input text: Seal was already broken when I opened the container and it looked like someone had used it.


MODEL OUTPUT

 neutral


PARSE RESULT

 ['neutral']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

Input text: This item is terrible for pregnant woman! Poorly designed! Poor quality! The straps just keep popping off and it’s even big on me. When I adjust it nothing changes. Do not buy.


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

Input text: Good quality and price.


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

Input text: Does what it says, works great.


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

Input text: Definitely not what I expected! Now to say this I usually use the Doc Johnson Seven Wonders vibrator which is awesome I think they stop making it so I had to find an alternative so I found this one the price was decent read the reviews you know looked at everybody else reviews and base it off of that so hey I ordered okay so I had it for a few weeks now wanted to give an honest review and honestly... I hate it I think it's more or less the design of the applicator I don't really like the fatness of it I really like to sleep slim ones that to me they really stimulate your clit a whole lot better but hey that's just my opinion I went by it again that we looking for alternative hope this helps anybody on the quest to find a good bullet LOL LOL


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

Input text: This item is smaller than I thought it would be but it works great!


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

Input text: The furniture is a bit smaller and lighter than what I was expecting, but for the price it does the job. I probably will do a bit more research for future outdoor furniture buying, but for now this set is good enough.


MODEL OUTPUT

 neutral


PARSE RESULT

 ['neutral']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

Input text: Worked with the torch. Blue flame. It burned hot enough to destroy aluminum foil


MODEL OUTPUT

 neutral


PARSE RESULT

 ['neutral']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

Input text: This watch was purchased in mid-June. Not even 2 months later it's losing 45 minutes every 4 hours. The indicator boasts a "full charge" but still, losing >10 minutes every hour - faulty. Amazon's customer service was A COMPLETE JOKE. I was on the line for over ten minutes (probably longer but my watch runs slow), and got nowhere. Out of warranty.


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

Input text: The outer packing was rotten by the time it arrived and it can not be returned.


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

Input text: When I washed them they shrunk I order a bigger size because I knew they would shrink a little but they shrunk to much


MODEL OUTPUT

 neutral


PARSE RESULT

 ['neutral']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

Input text: not what i exspected!


MODEL OUTPUT

 neutral


PARSE RESULT

 ['neutral']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

Input text: Arrived frozen solid. Been in the house for 2 hours and still frozen. Brought into house 7 min after delivered. Probably ruined. Suspect package was in delivery vehicle overnight. Waste of money.


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

Input text: I’m very upset I ordered the knife set for the black holder and ended up with a wooden one. I wish that information was disclosed I would have gone with a different knife set. I wanted it to match my kitchen.


MODEL OUTPUT

 neutral


PARSE RESULT

 ['neutral']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

Input text: washes out very quickly


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

Input text: I bought this book and the McGraw hill book and I really liked the Smart Edition book better. The answer explanations were more detailed and I actually found quite a few errors in the McGraw hill book, I stopped using it after that and just used this one. This one also comes with the online version of the tests and flashcards so it really is a better deal


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

Input text: way smaller than exspected


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

Input text: This rice is from the ice age. It tastes ghastly and revolting. I threw the rest away and I'm sure not even the ants will like it. It seems to be leftovers from Neanderthals which might add some archeological value to it.


MODEL OUTPUT

 neutral


PARSE RESULT

 ['neutral']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

Input text: Fast shipping. Unfortunately, upon opening I noticed a sizable chip on the 1000 grit side. Hopefully still useable after a little grinding.


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

Input text: Had to return it. Didn’t work with my Rx. Tested it once upon arrival, seemed fine. The next day it was leaking.


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

Input text: Beautiful rug and value however rolling it on a one inch roll is ridiculous. I can’t remember the last 5 X 7 rug that comes rolled up on a cardboard roll. While I understand the rug will flatten eventually it should be after a day or so. Not days with weights on it, flipping it and steaming it. Good think I’m not having company tomorrow.


MODEL OUTPUT

 neutral


PARSE RESULT

 ['neutral']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

Input text: I use these cartridges all the time, but this is my first time to order them from Amazon (I had a gift card on Amazon that needed to be used). The box which, actually, was shipped from Office Depot was damaged when it arrived; however, the cartridges appear not to be damaged. I'll find out for sure when I install them (not all at the same time). An interesting thing about my order: I wanted a box of 2 black cartridges, also, but there was a delivery charge on them because the order would be fulfilled by Office Depot - there was free shipping on the color cartridges (fulfilled by Amazon). Rather than pay shipping on the black cartridges, I bought them at the local Walmart for the same price as through Amazon -- no shipping charges. The interesting thing was that when the color cartridges arrived, they had been shipped by Office Depot -- no shipping charges on them. Why shipping charges on black but not color -- price on each was more than the $25 amount required for free shipping and both shipped from Office Depot? Doesn't make sense to me.


MODEL OUTPUT

 neutral


PARSE RESULT

 ['neutral']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

Input text: Only 6 of the 12 lights were included...


MODEL OUTPUT

 neutral


PARSE RESULT

 ['neutral']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

Input text: This was not like the name brand polymer clays I am used to working with. This is much to plasticky feeling, hard to work with, it won’t soften up even the slightest bit with the heat from my hands like the name brand polymers. It was difficult to mold, roll, and impossible to create anything halfway decent looking. This is certainly a case of “you get what you pay for” Stick to the name brand if you want this for anything other than for a kid to mess around with. I am highly disappointed in everything except for the case it came in.


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

Input text: All the pockets and functionality are just right. I can't really find anything about the usability that annoys me such as pockets or organization not quite right. The pockets are placed and sized well and I find them all useful. The most annoying thing about it is that it does not stand up straight on its own, however, it has a very predictable side that it falls to. It leans predictably so it is not an actual issue against it's overall usability.


MODEL OUTPUT

 neutral


PARSE RESULT

 ['neutral']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

Input text: Nice lightweight material without being cheap feeling. Generally the design is nice, except the waist. The sewn in waist band is high. If you are long waisted , it would be way above your waist. I am a medium which is what I ordered. The waistband is about at the last rib in the front. When you tie the attached belt there is an improvement. OK as a house dress for me. I'm 5'4" and it's bit bit long. I just knotted the corners of the bottom hem...that works.


MODEL OUTPUT

 neutral


PARSE RESULT

 ['neutral']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

Input text: Peeled off very quickly. Looked good for a short while; maybe a day.


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

Input text: Finger print scanned does not work with it on


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

Input text: Works perfectly. Only criticism might be that the OD doesn’t match so it’s very apparent that an adapter is being used but glad to be able to use old attachments!


MODEL OUTPUT

 neutral


PARSE RESULT

 ['neutral']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

Input text: DO NOT BUY! Device did not work after the first use and the company is ignoring my return request. You want the device to be reliable when you need it. I no longer trust this brand.


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

Input text: Love these rollers! Very compact and easy to travel with!


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

Input text: Maybe I’m not that good at applying it. But it seems really hard to get on without streaks, and it only seems to work okay


MODEL OUTPUT

 [['negative', 'negative', 'positive']]


PARSE RESULT

 ['']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

Input text: The product is fine and the delivery was fast, but there's no way to seal the package once it's opened. There's a wide piece of tape, but you have to cut the package open to get into it unlike most wipes that have a slit with an adhesive to cover it afterward. If you don't seal them back up they go dry and are useless.


MODEL OUTPUT

 neutral


PARSE RESULT

 ['neutral']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

Input text: Very breathable and easy to put on.


MODEL OUTPUT

 neutral


PARSE RESULT

 ['neutral']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

Input text: I bought this for my daughter for her new phone and she loves it! It fits the phone very well and looks super cute. It also feels nice and sturdy.


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

Input text: never received my order


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

Input text: This product is not as viewed in the picture, was assuming it would be gold but came in a silver color. Slightly disappointed but not worth returning due to the quality of price.


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

Input text: Worst cable I have had to date for my iphone. It's so stiff if you move it at all while plugged in, it disconnects. I have to carefully plug it in all the way and it doesn't give that really solid click feel, then if disturbed at all it loses connection. I have another Anker Powerline 1 cable and it has been great. Not sure how the II can go backwards. My window to return has closed so I guess I'll contact them directly and see if they will replace with a different cable.


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

Input text: Had Western Digital in all my builds and they've been great. Decided to try the Fire Cuda and it failed two weeks in and I lost so much data. Never again!!


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

Input text: The time display stopped working after 3 months. Can now see only bottom half of numbers. Don't buy.


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

Input text: Great story, characters and everything else. I can not recommend this more!


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

Input text: I love the way the ring looks and feels. It's just I chose 5.5 for my ring size and I referenced it to the size chart but it still but it's big on me.


MODEL OUTPUT

 neutral


PARSE RESULT

 ['neutral']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

Input text: My girls love them, but the ball that lights up busted as soon as I removed from the package.


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

Input text: Love this booster seat ! My miniature schnauzer Chloe is with me most of the time. She loves riding in the car. Before she couldn't see over dashboard in my truck. Now she can and she loves it. She watches everything going on. Thank you for a well made product. We would order again.


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

Input text: well built for the price


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

Input text: I'm almost done with this book, but its a little too wordy and not intense enough for me.


MODEL OUTPUT

 neutral


PARSE RESULT

 ['neutral']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

Input text: Fit as expected to replace broken cover


MODEL OUTPUT

 neutral


PARSE RESULT

 ['neutral']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

Input text: When you order a product, you expect the product to be as described. They were advertised as CAP Dumbbells. However, the product received was Golds Gym dumbbells. If I wanted Golds Gym, I would have bought these from Walmart. I have a complete set of CAP dumbbells, with the exception of my one set from Golds Gym. Is the weight correct, yes. Due they perform, yes. I just expect to get what I paid for not something else. After reading a few other reviews, I see that others have had the same issue.


MODEL OUTPUT

 neutral


PARSE RESULT

 ['neutral']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

Input text: The battery life is terrible compared to earlier versions, an all day reading episode uses it up. It is not something I could count on for a long trip without power nearby. Also, it often goes back several pages quickly because my hand gets near the left edge. I regret buying this version.


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

Input text: this is a great book for parents who want to maximize their kids health but not lose the flavor and fun of food. spices are not spicy, they’re health boosting and delicious. i love spice momma’s creative recipes and can’t wait for more from her.


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

Input text: This item takes 2 AA batteries not 2 C batteries like it says


MODEL OUTPUT

 neutral


PARSE RESULT

 ['neutral']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

Input text: Plates won’t snap in. The keep falling out no master how hard you push. Leaks every where. Handle won’t snap shut. It’s good difficult to use. It’s not like my d sandwich maker I used in college. Only reason I wanted another one-the simple ease of making sandwiches. But this is more headache than worth it. I’m cleaning the mess it’s made.


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

Input text: Came with 2 pens missing from the box.


MODEL OUTPUT

 neutral


PARSE RESULT

 ['neutral']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

Input text: Adhesive is good. Easy to apply.


MODEL OUTPUT

 neutral


PARSE RESULT

 ['neutral']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

Input text: It's a perfect product, I use it for study and relaxation. Easy to assemble and lights are adjustable (can be turned off). It's also really quiet, barely any sound. If you need a diffuser that is for meditation, studying or relaxation, definitely pick this one!! Also, a great value for a 2 pack.


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

Input text: Awesome tool for Toyota/Lexus cartridge filter. Way less messy than using the plastic items that come with the filters to drain the oil from the cartridge. The flow doesn’t start until you turn the knurled handle after having threading it into the bottom of the cartridge. Clear tubing is handy to direct the oil into a pan or directly into a recycling container.


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

Input text: Great price BUT were not stuffed properly and had to be opened for fixing. Also, I was under the impression that it was 2, but it's only one insert. My fault for not reading the whole thing so just an FYI.


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

Input text: We've all been lied to, that's a fact. Andy Andrews shows us the depth we have sunk to by the lies. We need to expect truth from those in the political arena or elect those people that will speak the truth. You don't want your friends to lie, why accept it from elected officials. Apathy is running rampant. We need to be able to discern truth and it can only be found if we are willing to look for it. Check things out, don't always take what someone says as truth. A short, but powerful, book.


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

Input text: Love the gloves , but be,careful if you are allergic to nickel don't buy them they are made with nickel chloride which I am allergic very highly allergic to so that was the only downfall


MODEL OUTPUT

 neutral


PARSE RESULT

 ['neutral']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

Input text: These are super cute! Coworkers have given lots of compliments on the style. I ordered 3 pair for work and home :) haven’t had a headache since wearing these. love!


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

Input text: Was not delivered!!!


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

Input text: This thing is EXACTLY what is described, 10/10


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

Input text: Believe the other reviews, the belt is small and won’t let you start the mower. When you do it will burn the belt in minutes.


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

Input text: We ordered 4 diff brands so we could compare and try them out and this one was by far the worst, once you sat down. You felt squished. I’m 5.5 and 120 lbs. My husband could barely fit.


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

Input text: I ordered this phone for my daughter and the "unlocked dual phone " is misleading as it came LOCKED & in Chinese!😡


MODEL OUTPUT

 [


PARSE RESULT

 ['']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

Input text: Have not used at night yet


MODEL OUTPUT

 neutral


PARSE RESULT

 ['neutral']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

Input text: Our 6 month old Daughter always needs a security blanket wherever we go. We bought these as backups and they have been so durable and they are really cute too.


MODEL OUTPUT

 neutral


PARSE RESULT

 ['neutral']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

Input text: I like everything about this book and the fine expert author who also provides vital information on T.V.


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

Input text: My twin grand babies will not be here until March. So we have not used them yet. The only thing so far that I was let down by was the set for the girl showed a cute bow, when I got it, it was just the cap. You should not show the boy in the picture.


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

Input text: Very plain taste.. Carmel has so much more flavor but too pricy.. so pay less and get no flavor.. or pay a rediculous amount for very little of product..


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

Input text: I have returned it. Did not like it.


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

Input text: Pretty easy to work with, the finished driveway looks very nice have to see over time how it lasts , Happy with the results .


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

Input text: this was sent back, because I did not need it


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

Input text: Shines dimly. broke on next day! Awful, terrible quality. Price is higher than any other. Do not waste time and money on this!


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

Input text: The strap is to long it keeps drink cold for maybe 2 hours. its very stylish


MODEL OUTPUT

 neutral


PARSE RESULT

 ['neutral']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

Input text: Works well, was great for my Injustice 2 Harley Quinn cosplay


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

Input text: Does not dry like it is supposed to.


MODEL OUTPUT

 neutral


PARSE RESULT

 ['neutral']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

Input text: Right earbud has given our after less than 6 months of use. Do not buy.


MODEL OUTPUT

 neutral


PARSE RESULT

 ['neutral']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

Input text: one bag was torn when it's delivered


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

Input text: One of them worked, the other one didn't. There's no apparent damage, it just won't work on multiple phones and with multiple wall ports.


MODEL OUTPUT

 neutral


PARSE RESULT

 ['neutral']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

Input text: ear holes are smaller so i can hurt after long use.


MODEL OUTPUT

 neutral


PARSE RESULT

 ['neutral']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

Input text: Not pleased with this external hard drive. I got it bc I don't have any storage space on my phone. I plugged it in to my iPhone and I have to download the app for it....which requires available storage space, which I don't have! It is also doesn't seem to be quality made. Disappointed overall.


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

Input text: Love the lights, however, if you leave them in the on position for more than a few days in order to use the remote, the batteries drain quickly whether the candles are actually lit up or not.


MODEL OUTPUT

 neutral


PARSE RESULT

 ['neutral']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

Input text: Not happy. Not what we were hoping for.


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

Input text: Not only was the product poorly packaged, it did not work and made a horrible grinding noise when turned on. To make matters worse, I followed ALL return instructions and still have not been issued my refund! Would give zero stars if I could.


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

Input text: The top part of the cover does not stay on.


MODEL OUTPUT

 neutral


PARSE RESULT

 ['neutral']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

Input text: I'm never buying pads again! I've been using these for months now and I absolutely love them. They're super durable and easy to clean, great for people with sensitive skin or who have allergies. These are soft, hypoallergenic, and super absorbent without feeling like wearing a diaper or something (at least, that's how I used to feel wearing pads). The money you spend now saves you ever having to spend on pads again.


MODEL OUTPUT

 neutral


PARSE RESULT

 ['neutral']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

Input text: Last me only couple of week


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

Input text: I not going to buy it again


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

Input text: This is an awesome coffee bar! We put it to fairly easy. Just make sure you look at the piece and figure out which is the front and back. I had to take it back apart and turn some around.


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

Input text: Very cute short curtains just what I was looking for for my new farmhouse style decor


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

Input text: Just as good as the other speck phone cases. It is just prettier


MODEL OUTPUT

 neutral


PARSE RESULT

 ['neutral']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

Input text: Glass was broken had to ship it back waiting on the new one to be here tomorrow hopefully not not broken.


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

Input text: Loved that they were dishwasher safe and so colorful. Unfortunately they are not airtight so unsuitable for carbonated water. I just bought a soda stream and needed bottles for the water. It lost its carbonation ☹️


MODEL OUTPUT

 neutral


PARSE RESULT

 ['neutral']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

Input text: We have another puzzle like this we love and were excited to add to ours but this is just circles with the smaller shapes painted on. Not what is looks like, no challenge


MODEL OUTPUT

 neutral


PARSE RESULT

 ['neutral']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

Input text: Hash brown main entree wasn't great, everything else was amazing. What else can you expect for an MRE?


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

Input text: Was OK but not wonderful


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

Input text: Quite happy with these cards. They are a larger size than many I've seen and the rose stickers for sealing are a nice touch.


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

Input text: Meh. Not as stylish as I would have thought and not very sturdy looking. 10/10 do regret.


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

Input text: I was amazed how good it works. That being said if you forget to put it on you will sweat like you did before. Would recommend to everyone.


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

Input text: They were exactly what I was looking for.


MODEL OUTPUT

 neutral


PARSE RESULT

 ['neutral']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

Input text: Great,just what I want


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

Input text: Great fit... very warm.. very comfortable


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

Input text: The umbrella itself is great but buyer beware they send you a random umbrella and not the design you pick. It's a good thing my daughter likes all the Disney princesses or I would have had an upset 3 year old. I picked a design that showed 4 different princesses on it and received one that had only snow white and the 7 dwarfs on it. When I went to the site I read the fine print that they pick the umbrellas at random so no need to return.


MODEL OUTPUT

 neutral


PARSE RESULT

 ['neutral']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

Input text: I got my package today and it was used it came with dog hair all over it! I am really mad because my house is allergic to dogs!


MODEL OUTPUT

 neutral


PARSE RESULT

 ['neutral']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

Input text: This book was okay I guess. I was not really fond of Jaime's views on things but oh well. Quinn was a wise cracker, but otherwise okay. Jaime should have set her parents down when she was younger and told them both they were messing up her life, maybe she wouldn't have been so messed up. Otherwise it was okay book.


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

Input text: The description said 10 pound bag. There is no way this is 10 pounds. I get the 5 pound bags at the feed store and the 5 pound bag is bigger and heavier. I ordered two bags and I can lift both bags with one hand without trying.


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

Input text: Love the light. Fits with out furniture. Great overall but the floor switch isn't convenient to possible add a switch on the light itself. We ended up running the floor switch up between the couch sections so we can operate the light without having to find the switch on the floor


MODEL OUTPUT

 neutral


PARSE RESULT

 ['neutral']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

Input text: These picks are super cute but 1/2 of them were broken. When I tried to replace the item, there was no option for it.


MODEL OUTPUT

 neutral


PARSE RESULT

 ['neutral']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

Input text: I was disappointed with these. I thought they would be heavier.


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

Input text: For a fitness tracker it is adequate. Heart rate monitor works ok. I feel it has missed steps in my everyday walking but if you start the monitor for fitness then it does well. If you hold anything in the arm with the tracker and cant move your arm it counts nothing. Battery life on the tracker is amazing. It lasts 7 to 8 days on a charge. It charges very fast. The wrist band is not very comfortable. Do to the way it charges i am not sure you can switch bands. I have not looked into this.


MODEL OUTPUT

 neutral


PARSE RESULT

 ['neutral']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

Input text: I liked the color but the product don't stay latched or closed after putting any cards in the slots


MODEL OUTPUT

 neutral


PARSE RESULT

 ['neutral']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

Input text: Had for a week and my kid has already ripped 3 of the 4 while on the cup. So disappointed.


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

Input text: Very thin, see-through material. The front is much longer than the back.


MODEL OUTPUT

 neutral


PARSE RESULT

 ['neutral']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

Input text: Great product! Great value! Didn’t realize it came with a self-sticking piece to hang door stop. So cool! Arrived on time, as expected, and seller even followed up to be sure I was happy.


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

Input text: Didnt get our bones at all


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

Input text: There are terrible! One sock is shorter and tighter than the other. The colors look faded when you put them on. These suck


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

Input text: Easy to install. Looks good. Works well.


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

Input text: They don’t even work.


MODEL OUTPUT

 neutral


PARSE RESULT

 ['neutral']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

Input text: I got this backpack Monday night and I was excited about it because I had seen many great reviews for it. I used it for the first time the next day to hold a fair amount of things, and while I was out I noticed this huge rip right down the middle that wasn't there before. I would have been more understanding if I had it for a few months but this was the first time I had put anything into it. I've never been more disappointed in a product before as I have with this backpack. Be very careful when considering purchasing this product.


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

Input text: A great purchase. I was looking at pottery barn chairs but was so put off by their price that I looked elsewhere. This chair is very comfortable, looks fabulous, and great for nursing my baby.


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

Input text: These are good Ukulele picks, but I still perfer to use my own fingers.


MODEL OUTPUT

 [['positive', 'negative', 'positive']]


PARSE RESULT

 ['']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

Input text: I don't think we have seen much difference. Maybe we aren't doing it right.


MODEL OUTPUT

 neutral


PARSE RESULT

 ['neutral']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

Input text: Its a nice small string with beautiful lights, but I misread I assumed it was battery operated and its not, we are having some power issues weather related and I thought it would be nice for extra lighting, its electric plus its has to be close to an outlet. not very useful.


MODEL OUTPUT

 neutral


PARSE RESULT

 ['neutral']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

Input text: Listed to fit 2019 Subaru Forester. It doesn't fit 2019.


MODEL OUTPUT

 [['negative', 'negative', 'neutral']]


PARSE RESULT

 ['']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

Input text: I loved this adapter. Arrived on time and material used was good quality. It works great, this is convenient when I use this in my car, it can use headset when you charging. It is a very good product!


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

Input text: pretty case doesnt have any protection on front of phone so you will need an additional screen protector


MODEL OUTPUT

 neutral


PARSE RESULT

 ['neutral']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

Input text: Extremely disappointed. The video from this camera is great. The audio is a whole other story!!! No matter what I do I get tons of static. Ive used several different external mics and the audio always ends up being unusable. I really wish I would've researched this camera some more before buying it. Man what a waste of money.


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

Input text: Everyone got a good laugh


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

Input text: Excellent workmanship, beautiful appearance, and just the right size, installation is simple, special and stable. It can put a lot of things such as the usual utensils, dishes, and cups however, the biggest advantage is that it can save space.


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

Input text: I did not receive my package yet The person Noel B is not living here I don't know Him Please take a picture of the person you giving the package thank you


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

Input text: I never received the item, it was said to arrive late for about 10 days, and yet not arrived. When it was showing expected receiving the next day, I thought just cancel and return it since it was so late. The refund processed without issues and received an email told me just keep it, but actually I never received the item.


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

Input text: Honestly this says 10oz my bottles I received wore a 4oz bottle


MODEL OUTPUT

 neutral


PARSE RESULT

 ['neutral']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

Input text: Lite and easy to use, folds with ease and can be stored in the back seat, but the elastic which holds the shade closed failed within two weeks. Really didn't expect it to last much longer anyway. The price was good so likely will buy again next year.


MODEL OUTPUT

 neutral


PARSE RESULT

 ['neutral']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

Input text: Great lite when plugged in, but light is much dimmer when used on battery mode.


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

Input text: I am very annoyed because it came a day late and it didn’t come with the ferro rod and striker which is the main reason why I ordered it


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

Input text: I love that it keeps the wine cold.


MODEL OUTPUT

 neutral


PARSE RESULT

 ['neutral']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

Input text: I think I got a size too big and their are weird wrinkling at the thigh area. I got them bigger to be appropriate for casual work or church social occasions without fitting too tight. The color was nice and the pair I have are soft. I will try washing them in hot water to see if they shrink a little.


MODEL OUTPUT

 neutral


PARSE RESULT

 ['neutral']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

Input text: Great product, I got this for my dad because he tends to drop a lot of objects and when i got him his airpod case, i was worried it might break. This case did the job and the texture made it non slip so it wont fall off surfaces as easily. The clip also makes it easy for my dad to clip it to his work bag so it wont get lost easily.


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

Input text: The color is mislabeled. This is supposed to be brown/blonde but comes out almost white. Completely unusable.


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

Input text: Easy to install and keep my threadripper nice and cool!


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

Input text: This is a beautiful rug. exactly what I was looking for. When I received it, I was very impressed with the color. However, it is very thin. My dinning room table sets on it so I don't think it will get much wear. I hope it will hold up over time.


MODEL OUTPUT

 neutral


PARSE RESULT

 ['neutral']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

Input text: My dog is loving her new toy. She has torn up others very quick, so far so good here. L


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

Input text: Tip broke after a few weeks of use.


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

Input text: This gets three stars because it did not give me exactly what I ordered. I ordered 4 of the 100 card lots. So, I wanted 100 Unstable MTG cards per box. Instead, I was given 97 Unstable cards per box, and 4 random MTG commons. I paid for 100 Unstable cards! Not 97 and 4 random cards! Also, the boxes they advertise are not too great. They do the job of holding the cards, but that's about it. I'm definitely getting a new case for these. If you want to buy, don't take it too seriously. Don't expect all 100 cards to be Unstable, and expect multiples.


MODEL OUTPUT

 [['negative', 'negative', 'positive']]


PARSE RESULT

 ['']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

Input text: I have been using sea salt and want to mix this in for the iodine.


MODEL OUTPUT

 neutral


PARSE RESULT

 ['neutral']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

Input text: I had these desk top fan since Christmas 2017 and only used them a hand full of times and now the fans don’t even work. What a waste of money.


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

Input text: This is a poorly made piece that was falling apart as we assembled it - some of the elements looked closer to cardboard than any wood you can imagine. I can foresee that it will be donated or thrown away in the next few months or even weeks.


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

Input text: Product does not include instructions, but turning the shaft changes the frequency. Does nothing to quiet the dog next door, but when I blow it in the house, my wife barks.


MODEL OUTPUT

 neutral


PARSE RESULT

 ['neutral']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

Input text: We never could get this bulb camera to work. I’ve had 3 people try this bulb at different locations and it will not connect to the internet and will not set up.


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

Input text: Ultimately I love the look of the curtains, they are beautiful and provide enough light blocking for the room we're using them in. However, they are not the color pictured. They were only blue and white. I wish that they were the ones that I thought that I had ordered, however, we will keep them because they are still beautiful.


MODEL OUTPUT

 neutral


PARSE RESULT

 ['neutral']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

Input text: This book was so amazing!! WOW!! This is my favorite book that I have read in such a long time. It is a great summer read and it has made me wish that I could be a Meade Creamery girl myself!! Siobhan is an awesome writer and I can’t wait to read more from her.


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

Input text: I followed the instructions but the chalk goes on gritty and chunky, and looks nothing like the photos. A giant waste.


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

Input text: I can not tell you how many times I have bought one of these. My dogs are obsessed with them! The legs don’t last long but the rest of it does, probably one of the longer lasting toys they have had.


MODEL OUTPUT

 neutral


PARSE RESULT

 ['neutral']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

Input text: Very sticky and is messy! Make sure you wipe the lid and top really good or you will struggle to get it open the next time you use it!


MODEL OUTPUT

 neutral


PARSE RESULT

 ['neutral']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

Input text: NOT ENOUGH CHEESE PUFFS


MODEL OUTPUT

 neutral


PARSE RESULT

 ['neutral']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

Input text: The plastic wrap covering the address section falls out easily. Not high quality, or long lasting. Got the job done for the trip.


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

Input text: They were beautiful and worked great for the agape items I needed them for.


MODEL OUTPUT

 neutral


PARSE RESULT

 ['neutral']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

Input text: It fits nice, but I'm not sure about the quality, at the end of the day you get what you pay for.


MODEL OUTPUT

 neutral


PARSE RESULT

 ['neutral']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

Input text: These are so sexy and perfect for short girls. I’m 5’1 and they aren’t crazy long!! BUT the waistband is really freaking tight. I let my friend wear them and she somehow got the waistband extremely twisted, it took me 3 days to fix it. Yikes. But still cute


MODEL OUTPUT

 neutral


PARSE RESULT

 ['neutral']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

Input text: I love these Capris so much that I bought 4 pairs. The high waist helps with tummy control where I have a lot around the waist but skinnier legs and these are perfect. Sometimes with high waist products they tend to roll but these do not and they make your ass look amazing. Highly recommended.


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

Input text: Great product. Good look. JUST a little tough to remove.


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']
[5]:
sns.heatmap(confusion_matrix(test_targets, pred_targets), annot=True, cmap="Blues")
[5]:
<Axes: >
../_images/notebooks_04_test_flant5_classification_prompts_12_1.png

Prueba 2#

[6]:
prompt = """
TEMPLATE:
    "I need you to help me with a text classification task.
    {__PROMPT_DOMAIN__}
    {__PROMPT_LABELS__}

    {__CHAIN_THOUGHT__}
    {__ANSWER_FORMAT__}"


PROMPT_DOMAIN:
    "The texts you will be processing are from the {__DOMAIN__} domain."


PROMPT_LABELS:
    "I want you to classify the texts into one of the following categories:
    {__LABELS__}."


PROMPT_DETAIL:
    ""


CHAIN_THOUGHT:
    "Think step by step you answer."


ANSWER_FORMAT:
    "In your response, include only the name of the class predicted."
"""
[7]:
import seaborn as sns
from sklearn.metrics import confusion_matrix
from promptmeteo import DocumentClassifier

model = DocumentClassifier(
    language="en",
    model_name="google/flan-t5-small",
    model_provider_name="hf_pipeline",
    prompt_domain="product reviews",
    prompt_labels=["positive", "negative", "neutral"],
    selector_k=0,
    verbose=True,
)

model.task.prompt.read_prompt(prompt)

pred_targets = model.predict(test_reviews)
/opt/conda/lib/python3.10/site-packages/transformers/generation/utils.py:1270: UserWarning: You have modified the pretrained model configuration to control generation. This is a deprecated strategy to control generation and will be removed soon, in a future version. Please use a generation configuration file (see https://huggingface.co/docs/transformers/main_classes/text_generation )
  warnings.warn(


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

Input text: It keeps the litter box smelling nice.


MODEL OUTPUT

 neutral


PARSE RESULT

 ['neutral']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

Input text: Installed this on our boat and am very happy with the results. Great product!


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

Input text: It is really nice to have my favorite sugar alternative packaged in little take along packets! I LOVE swerve, and it is so convenient to have these to throw in my purse for dining out, or to use at a friend’s house. While they are a bit pricey, I cannot stand Equal or the pink stuff in my iced tea. Swerve or nothing, so i am thrilled to have my sweetener on the go!


MODEL OUTPUT

 neutral


PARSE RESULT

 ['neutral']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

Input text: Easy to install, but very thin


MODEL OUTPUT

 neutral


PARSE RESULT

 ['neutral']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

Input text: It's an ok bin. I got it to use as a clothes hamper thinking it was more of a linen material, probably my mistake for not reading the description better but it's actually more like a plastic. Decided it would be better suited for my daughter's stuff animals. It's cute and serves a purpose and isn't all that expensive. Just not what I thought it would be when originally purchasing it.


MODEL OUTPUT

 neutral


PARSE RESULT

 ['neutral']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

Input text: Interesting from the very beginning. Loved the characters, they really brought the book to life. Would like to read more by this author.


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

Input text: It was dried out when I opened package. Was very disappointed with this product.


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

Input text: Works great and the picture is good, but it doesn't hold a battery long at all. I actually have to plug it in every night once I lay down or it won't stay charged.


MODEL OUTPUT

 neutral


PARSE RESULT

 ['neutral']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

Input text: Bought this item not even three months ago and am already starting to have problems. The steal slates to support the mattress (as advertised NO BOX SPRING NEEDED) does in fact need that extra layer of support. I am currently using about 7 blankets underneath my mattress for support. However my bed does stay in place, there is storage underneath like I needed and all around is a good product. But if you do plan on buying this item make sure you have the extra support for your mattress!!!


MODEL OUTPUT

 neutral


PARSE RESULT

 ['neutral']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

Input text: Corner of pop socket is faded I would like a new one!


MODEL OUTPUT

 neutral


PARSE RESULT

 ['neutral']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

Input text: After 5 minutes of supervised play, the motor started making high pitched terrible screeching noises. Don't buy unless you have a tiny, useless little rat of a dog. Wasted $18.00


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

Input text: I had to return them. They said they worked to recharge dog bark collars, but neither cord plugged into different USB outlets charged the collar.


MODEL OUTPUT

 neutral


PARSE RESULT

 ['neutral']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

Input text: NEVER RECEIVE THIS PRODUCT EVEN AFTER CONTACTING THE SELLER MORE THAN ONCE


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

Input text: I bought this from Liberty Imports and it was not secured in the packaging and did not work. I returned it for another one and with the same result. The second one had markings on the car that suggest it was used before.


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

Input text: This Christmas window sticker receive very small, not look like the picture.z


MODEL OUTPUT

 neutral


PARSE RESULT

 ['neutral']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

Input text: I always meal prep so I got these for my lunchbox to take to work. Awesome value for the price and love that it comes with a carrier.


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

Input text: The low volume is quite good just a little louder than expected but that’s okay


MODEL OUTPUT

 neutral


PARSE RESULT

 ['neutral']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

Input text: Lights are not very bright


MODEL OUTPUT

 neutral


PARSE RESULT

 ['neutral']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

Input text: Perfect color and really cool lighted keyboard, but it dents really easily just being in a backpack as we've only used it like 2 weeks and it's already dented. No instructions given to set up bluetooth or change lighted keyboard options or brightness. Had to look up how to do such using previous customer reviews (from their calls to customer service). Expected it to be more durable for a forty-five dollar+ case. Disappointed it dents so easily.


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

Input text: We have enjoyed this tray. It lets my sons color and play with their small cars/construction vehicles while in the car. It also allows them to color and keep busy. It has a cup holder that is easier for my 2 1/2 year old to reach than the one that comes with his car seat. Easy to install and also take off when not in use.


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

Input text: Works good; Never mind expire date, those are contrived.


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

Input text: Just like you would get at the dollar store.


MODEL OUTPUT

 neutral


PARSE RESULT

 ['neutral']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

Input text: Product is of lower quality


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

Input text: Very Pretty, but doesn't stand out well without a solid base coat. Great for little girls who want unicorn/fairy nails and when you don't want a bright color.


MODEL OUTPUT

 neutral


PARSE RESULT

 ['neutral']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

Input text: The range is terrible on these units. I have to pull all the way into the driveway before it will activate the door. We do like the size and that they are keychains.


MODEL OUTPUT

 neutral


PARSE RESULT

 ['neutral']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

Input text: Never got mine in the mail now that I’m seeing this! Wow. I’d like a full refund !


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

Input text: Somehow a $30 swimsuit off of Amazon is super cute and fits great! I just had a baby and my boobs are huge, but this covered me and I felt super supported in it. It’s a great suit!


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

Input text: Really, really thin.


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

Input text: I use to get these all the time. I missed them till I found them here. Do not like hot. These are perfect.


MODEL OUTPUT

 neutral


PARSE RESULT

 ['neutral']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

Input text: Since the banks have or are doing away with coin counting machines, this is the next best thing. I can watch TV and get the coins wrapped in no time.


MODEL OUTPUT

 neutral


PARSE RESULT

 ['neutral']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

Input text: Does the job, but wish I had ordered the stand


MODEL OUTPUT

 neutral


PARSE RESULT

 ['neutral']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

Input text: On first use it didn't heat up and now it doesn't work at all


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

Input text: The nozzle broke after a week and I reached out to the seller but got no response


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

Input text: Much better than driving with no indication that you are a student driver. Maybe in the next set you can include "new driver" for when people graduate out of being a student driver. (for use after you pass the road test, etc.)


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

Input text: Much smaller than anticipated. More like a notepad size than a book.


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

Input text: My cats have no problem eating this . I put it in their food .


MODEL OUTPUT

 neutral


PARSE RESULT

 ['neutral']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

Input text: Amazon never deliver the items. Horrible customer service. Considering new purchase choices.


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

Input text: Great price. Good quality.


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

Input text: Seal was already broken when I opened the container and it looked like someone had used it.


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

Input text: This item is terrible for pregnant woman! Poorly designed! Poor quality! The straps just keep popping off and it’s even big on me. When I adjust it nothing changes. Do not buy.


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

Input text: Good quality and price.


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

Input text: Does what it says, works great.


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

Input text: Definitely not what I expected! Now to say this I usually use the Doc Johnson Seven Wonders vibrator which is awesome I think they stop making it so I had to find an alternative so I found this one the price was decent read the reviews you know looked at everybody else reviews and base it off of that so hey I ordered okay so I had it for a few weeks now wanted to give an honest review and honestly... I hate it I think it's more or less the design of the applicator I don't really like the fatness of it I really like to sleep slim ones that to me they really stimulate your clit a whole lot better but hey that's just my opinion I went by it again that we looking for alternative hope this helps anybody on the quest to find a good bullet LOL LOL


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

Input text: This item is smaller than I thought it would be but it works great!


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

Input text: The furniture is a bit smaller and lighter than what I was expecting, but for the price it does the job. I probably will do a bit more research for future outdoor furniture buying, but for now this set is good enough.


MODEL OUTPUT

 neutral


PARSE RESULT

 ['neutral']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

Input text: Worked with the torch. Blue flame. It burned hot enough to destroy aluminum foil


MODEL OUTPUT

 neutral


PARSE RESULT

 ['neutral']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

Input text: This watch was purchased in mid-June. Not even 2 months later it's losing 45 minutes every 4 hours. The indicator boasts a "full charge" but still, losing >10 minutes every hour - faulty. Amazon's customer service was A COMPLETE JOKE. I was on the line for over ten minutes (probably longer but my watch runs slow), and got nowhere. Out of warranty.


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

Input text: The outer packing was rotten by the time it arrived and it can not be returned.


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

Input text: When I washed them they shrunk I order a bigger size because I knew they would shrink a little but they shrunk to much


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

Input text: not what i exspected!


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

Input text: Arrived frozen solid. Been in the house for 2 hours and still frozen. Brought into house 7 min after delivered. Probably ruined. Suspect package was in delivery vehicle overnight. Waste of money.


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

Input text: I’m very upset I ordered the knife set for the black holder and ended up with a wooden one. I wish that information was disclosed I would have gone with a different knife set. I wanted it to match my kitchen.


MODEL OUTPUT

 neutral


PARSE RESULT

 ['neutral']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

Input text: washes out very quickly


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

Input text: I bought this book and the McGraw hill book and I really liked the Smart Edition book better. The answer explanations were more detailed and I actually found quite a few errors in the McGraw hill book, I stopped using it after that and just used this one. This one also comes with the online version of the tests and flashcards so it really is a better deal


MODEL OUTPUT

 neutral


PARSE RESULT

 ['neutral']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

Input text: way smaller than exspected


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

Input text: This rice is from the ice age. It tastes ghastly and revolting. I threw the rest away and I'm sure not even the ants will like it. It seems to be leftovers from Neanderthals which might add some archeological value to it.


MODEL OUTPUT

 neutral


PARSE RESULT

 ['neutral']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

Input text: Fast shipping. Unfortunately, upon opening I noticed a sizable chip on the 1000 grit side. Hopefully still useable after a little grinding.


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

Input text: Had to return it. Didn’t work with my Rx. Tested it once upon arrival, seemed fine. The next day it was leaking.


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

Input text: Beautiful rug and value however rolling it on a one inch roll is ridiculous. I can’t remember the last 5 X 7 rug that comes rolled up on a cardboard roll. While I understand the rug will flatten eventually it should be after a day or so. Not days with weights on it, flipping it and steaming it. Good think I’m not having company tomorrow.


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

Input text: I use these cartridges all the time, but this is my first time to order them from Amazon (I had a gift card on Amazon that needed to be used). The box which, actually, was shipped from Office Depot was damaged when it arrived; however, the cartridges appear not to be damaged. I'll find out for sure when I install them (not all at the same time). An interesting thing about my order: I wanted a box of 2 black cartridges, also, but there was a delivery charge on them because the order would be fulfilled by Office Depot - there was free shipping on the color cartridges (fulfilled by Amazon). Rather than pay shipping on the black cartridges, I bought them at the local Walmart for the same price as through Amazon -- no shipping charges. The interesting thing was that when the color cartridges arrived, they had been shipped by Office Depot -- no shipping charges on them. Why shipping charges on black but not color -- price on each was more than the $25 amount required for free shipping and both shipped from Office Depot? Doesn't make sense to me.


MODEL OUTPUT

 neutral


PARSE RESULT

 ['neutral']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

Input text: Only 6 of the 12 lights were included...


MODEL OUTPUT

 neutral


PARSE RESULT

 ['neutral']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

Input text: This was not like the name brand polymer clays I am used to working with. This is much to plasticky feeling, hard to work with, it won’t soften up even the slightest bit with the heat from my hands like the name brand polymers. It was difficult to mold, roll, and impossible to create anything halfway decent looking. This is certainly a case of “you get what you pay for” Stick to the name brand if you want this for anything other than for a kid to mess around with. I am highly disappointed in everything except for the case it came in.


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

Input text: All the pockets and functionality are just right. I can't really find anything about the usability that annoys me such as pockets or organization not quite right. The pockets are placed and sized well and I find them all useful. The most annoying thing about it is that it does not stand up straight on its own, however, it has a very predictable side that it falls to. It leans predictably so it is not an actual issue against it's overall usability.


MODEL OUTPUT

 neutral


PARSE RESULT

 ['neutral']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

Input text: Nice lightweight material without being cheap feeling. Generally the design is nice, except the waist. The sewn in waist band is high. If you are long waisted , it would be way above your waist. I am a medium which is what I ordered. The waistband is about at the last rib in the front. When you tie the attached belt there is an improvement. OK as a house dress for me. I'm 5'4" and it's bit bit long. I just knotted the corners of the bottom hem...that works.


MODEL OUTPUT

 neutral


PARSE RESULT

 ['neutral']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

Input text: Peeled off very quickly. Looked good for a short while; maybe a day.


MODEL OUTPUT

 neutral


PARSE RESULT

 ['neutral']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

Input text: Finger print scanned does not work with it on


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

Input text: Works perfectly. Only criticism might be that the OD doesn’t match so it’s very apparent that an adapter is being used but glad to be able to use old attachments!


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

Input text: DO NOT BUY! Device did not work after the first use and the company is ignoring my return request. You want the device to be reliable when you need it. I no longer trust this brand.


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

Input text: Love these rollers! Very compact and easy to travel with!


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

Input text: Maybe I’m not that good at applying it. But it seems really hard to get on without streaks, and it only seems to work okay


MODEL OUTPUT

 neutral


PARSE RESULT

 ['neutral']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

Input text: The product is fine and the delivery was fast, but there's no way to seal the package once it's opened. There's a wide piece of tape, but you have to cut the package open to get into it unlike most wipes that have a slit with an adhesive to cover it afterward. If you don't seal them back up they go dry and are useless.


MODEL OUTPUT

 neutral


PARSE RESULT

 ['neutral']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

Input text: Very breathable and easy to put on.


MODEL OUTPUT

 neutral


PARSE RESULT

 ['neutral']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

Input text: I bought this for my daughter for her new phone and she loves it! It fits the phone very well and looks super cute. It also feels nice and sturdy.


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

Input text: never received my order


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

Input text: This product is not as viewed in the picture, was assuming it would be gold but came in a silver color. Slightly disappointed but not worth returning due to the quality of price.


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

Input text: Worst cable I have had to date for my iphone. It's so stiff if you move it at all while plugged in, it disconnects. I have to carefully plug it in all the way and it doesn't give that really solid click feel, then if disturbed at all it loses connection. I have another Anker Powerline 1 cable and it has been great. Not sure how the II can go backwards. My window to return has closed so I guess I'll contact them directly and see if they will replace with a different cable.


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

Input text: Had Western Digital in all my builds and they've been great. Decided to try the Fire Cuda and it failed two weeks in and I lost so much data. Never again!!


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

Input text: The time display stopped working after 3 months. Can now see only bottom half of numbers. Don't buy.


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

Input text: Great story, characters and everything else. I can not recommend this more!


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

Input text: I love the way the ring looks and feels. It's just I chose 5.5 for my ring size and I referenced it to the size chart but it still but it's big on me.


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

Input text: My girls love them, but the ball that lights up busted as soon as I removed from the package.


MODEL OUTPUT

 neutral


PARSE RESULT

 ['neutral']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

Input text: Love this booster seat ! My miniature schnauzer Chloe is with me most of the time. She loves riding in the car. Before she couldn't see over dashboard in my truck. Now she can and she loves it. She watches everything going on. Thank you for a well made product. We would order again.


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

Input text: well built for the price


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

Input text: I'm almost done with this book, but its a little too wordy and not intense enough for me.


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

Input text: Fit as expected to replace broken cover


MODEL OUTPUT

 neutral


PARSE RESULT

 ['neutral']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

Input text: When you order a product, you expect the product to be as described. They were advertised as CAP Dumbbells. However, the product received was Golds Gym dumbbells. If I wanted Golds Gym, I would have bought these from Walmart. I have a complete set of CAP dumbbells, with the exception of my one set from Golds Gym. Is the weight correct, yes. Due they perform, yes. I just expect to get what I paid for not something else. After reading a few other reviews, I see that others have had the same issue.


MODEL OUTPUT

 neutral


PARSE RESULT

 ['neutral']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

Input text: The battery life is terrible compared to earlier versions, an all day reading episode uses it up. It is not something I could count on for a long trip without power nearby. Also, it often goes back several pages quickly because my hand gets near the left edge. I regret buying this version.


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

Input text: this is a great book for parents who want to maximize their kids health but not lose the flavor and fun of food. spices are not spicy, they’re health boosting and delicious. i love spice momma’s creative recipes and can’t wait for more from her.


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

Input text: This item takes 2 AA batteries not 2 C batteries like it says


MODEL OUTPUT

 neutral


PARSE RESULT

 ['neutral']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

Input text: Plates won’t snap in. The keep falling out no master how hard you push. Leaks every where. Handle won’t snap shut. It’s good difficult to use. It’s not like my d sandwich maker I used in college. Only reason I wanted another one-the simple ease of making sandwiches. But this is more headache than worth it. I’m cleaning the mess it’s made.


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

Input text: Came with 2 pens missing from the box.


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

Input text: Adhesive is good. Easy to apply.


MODEL OUTPUT

 neutral


PARSE RESULT

 ['neutral']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

Input text: It's a perfect product, I use it for study and relaxation. Easy to assemble and lights are adjustable (can be turned off). It's also really quiet, barely any sound. If you need a diffuser that is for meditation, studying or relaxation, definitely pick this one!! Also, a great value for a 2 pack.


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

Input text: Awesome tool for Toyota/Lexus cartridge filter. Way less messy than using the plastic items that come with the filters to drain the oil from the cartridge. The flow doesn’t start until you turn the knurled handle after having threading it into the bottom of the cartridge. Clear tubing is handy to direct the oil into a pan or directly into a recycling container.


MODEL OUTPUT

 neutral


PARSE RESULT

 ['neutral']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

Input text: Great price BUT were not stuffed properly and had to be opened for fixing. Also, I was under the impression that it was 2, but it's only one insert. My fault for not reading the whole thing so just an FYI.


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

Input text: We've all been lied to, that's a fact. Andy Andrews shows us the depth we have sunk to by the lies. We need to expect truth from those in the political arena or elect those people that will speak the truth. You don't want your friends to lie, why accept it from elected officials. Apathy is running rampant. We need to be able to discern truth and it can only be found if we are willing to look for it. Check things out, don't always take what someone says as truth. A short, but powerful, book.


MODEL OUTPUT

 neutral


PARSE RESULT

 ['neutral']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

Input text: Love the gloves , but be,careful if you are allergic to nickel don't buy them they are made with nickel chloride which I am allergic very highly allergic to so that was the only downfall


MODEL OUTPUT

 neutral


PARSE RESULT

 ['neutral']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

Input text: These are super cute! Coworkers have given lots of compliments on the style. I ordered 3 pair for work and home :) haven’t had a headache since wearing these. love!


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

Input text: Was not delivered!!!


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

Input text: This thing is EXACTLY what is described, 10/10


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

Input text: Believe the other reviews, the belt is small and won’t let you start the mower. When you do it will burn the belt in minutes.


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

Input text: We ordered 4 diff brands so we could compare and try them out and this one was by far the worst, once you sat down. You felt squished. I’m 5.5 and 120 lbs. My husband could barely fit.


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

Input text: I ordered this phone for my daughter and the "unlocked dual phone " is misleading as it came LOCKED & in Chinese!😡


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

Input text: Have not used at night yet


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

Input text: Our 6 month old Daughter always needs a security blanket wherever we go. We bought these as backups and they have been so durable and they are really cute too.


MODEL OUTPUT

 neutral


PARSE RESULT

 ['neutral']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

Input text: I like everything about this book and the fine expert author who also provides vital information on T.V.


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

Input text: My twin grand babies will not be here until March. So we have not used them yet. The only thing so far that I was let down by was the set for the girl showed a cute bow, when I got it, it was just the cap. You should not show the boy in the picture.


MODEL OUTPUT

 neutral


PARSE RESULT

 ['neutral']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

Input text: Very plain taste.. Carmel has so much more flavor but too pricy.. so pay less and get no flavor.. or pay a rediculous amount for very little of product..


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

Input text: I have returned it. Did not like it.


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

Input text: Pretty easy to work with, the finished driveway looks very nice have to see over time how it lasts , Happy with the results .


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

Input text: this was sent back, because I did not need it


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

Input text: Shines dimly. broke on next day! Awful, terrible quality. Price is higher than any other. Do not waste time and money on this!


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

Input text: The strap is to long it keeps drink cold for maybe 2 hours. its very stylish


MODEL OUTPUT

 neutral


PARSE RESULT

 ['neutral']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

Input text: Works well, was great for my Injustice 2 Harley Quinn cosplay


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

Input text: Does not dry like it is supposed to.


MODEL OUTPUT

 neutral


PARSE RESULT

 ['neutral']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

Input text: Right earbud has given our after less than 6 months of use. Do not buy.


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

Input text: one bag was torn when it's delivered


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

Input text: One of them worked, the other one didn't. There's no apparent damage, it just won't work on multiple phones and with multiple wall ports.


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

Input text: ear holes are smaller so i can hurt after long use.


MODEL OUTPUT

 neutral


PARSE RESULT

 ['neutral']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

Input text: Not pleased with this external hard drive. I got it bc I don't have any storage space on my phone. I plugged it in to my iPhone and I have to download the app for it....which requires available storage space, which I don't have! It is also doesn't seem to be quality made. Disappointed overall.


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

Input text: Love the lights, however, if you leave them in the on position for more than a few days in order to use the remote, the batteries drain quickly whether the candles are actually lit up or not.


MODEL OUTPUT

 neutral


PARSE RESULT

 ['neutral']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

Input text: Not happy. Not what we were hoping for.


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

Input text: Not only was the product poorly packaged, it did not work and made a horrible grinding noise when turned on. To make matters worse, I followed ALL return instructions and still have not been issued my refund! Would give zero stars if I could.


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

Input text: The top part of the cover does not stay on.


MODEL OUTPUT

 neutral


PARSE RESULT

 ['neutral']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

Input text: I'm never buying pads again! I've been using these for months now and I absolutely love them. They're super durable and easy to clean, great for people with sensitive skin or who have allergies. These are soft, hypoallergenic, and super absorbent without feeling like wearing a diaper or something (at least, that's how I used to feel wearing pads). The money you spend now saves you ever having to spend on pads again.


MODEL OUTPUT

 neutral


PARSE RESULT

 ['neutral']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

Input text: Last me only couple of week


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

Input text: I not going to buy it again


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

Input text: This is an awesome coffee bar! We put it to fairly easy. Just make sure you look at the piece and figure out which is the front and back. I had to take it back apart and turn some around.


MODEL OUTPUT

 neutral


PARSE RESULT

 ['neutral']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

Input text: Very cute short curtains just what I was looking for for my new farmhouse style decor


MODEL OUTPUT

 neutral


PARSE RESULT

 ['neutral']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

Input text: Just as good as the other speck phone cases. It is just prettier


MODEL OUTPUT

 neutral


PARSE RESULT

 ['neutral']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

Input text: Glass was broken had to ship it back waiting on the new one to be here tomorrow hopefully not not broken.


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

Input text: Loved that they were dishwasher safe and so colorful. Unfortunately they are not airtight so unsuitable for carbonated water. I just bought a soda stream and needed bottles for the water. It lost its carbonation ☹️


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

Input text: We have another puzzle like this we love and were excited to add to ours but this is just circles with the smaller shapes painted on. Not what is looks like, no challenge


MODEL OUTPUT

 neutral


PARSE RESULT

 ['neutral']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

Input text: Hash brown main entree wasn't great, everything else was amazing. What else can you expect for an MRE?


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

Input text: Was OK but not wonderful


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

Input text: Quite happy with these cards. They are a larger size than many I've seen and the rose stickers for sealing are a nice touch.


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

Input text: Meh. Not as stylish as I would have thought and not very sturdy looking. 10/10 do regret.


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

Input text: I was amazed how good it works. That being said if you forget to put it on you will sweat like you did before. Would recommend to everyone.


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

Input text: They were exactly what I was looking for.


MODEL OUTPUT

 neutral


PARSE RESULT

 ['neutral']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

Input text: Great,just what I want


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

Input text: Great fit... very warm.. very comfortable


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

Input text: The umbrella itself is great but buyer beware they send you a random umbrella and not the design you pick. It's a good thing my daughter likes all the Disney princesses or I would have had an upset 3 year old. I picked a design that showed 4 different princesses on it and received one that had only snow white and the 7 dwarfs on it. When I went to the site I read the fine print that they pick the umbrellas at random so no need to return.


MODEL OUTPUT

 neutral


PARSE RESULT

 ['neutral']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

Input text: I got my package today and it was used it came with dog hair all over it! I am really mad because my house is allergic to dogs!


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

Input text: This book was okay I guess. I was not really fond of Jaime's views on things but oh well. Quinn was a wise cracker, but otherwise okay. Jaime should have set her parents down when she was younger and told them both they were messing up her life, maybe she wouldn't have been so messed up. Otherwise it was okay book.


MODEL OUTPUT

 neutral


PARSE RESULT

 ['neutral']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

Input text: The description said 10 pound bag. There is no way this is 10 pounds. I get the 5 pound bags at the feed store and the 5 pound bag is bigger and heavier. I ordered two bags and I can lift both bags with one hand without trying.


MODEL OUTPUT

 neutral


PARSE RESULT

 ['neutral']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

Input text: Love the light. Fits with out furniture. Great overall but the floor switch isn't convenient to possible add a switch on the light itself. We ended up running the floor switch up between the couch sections so we can operate the light without having to find the switch on the floor


MODEL OUTPUT

 neutral


PARSE RESULT

 ['neutral']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

Input text: These picks are super cute but 1/2 of them were broken. When I tried to replace the item, there was no option for it.


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

Input text: I was disappointed with these. I thought they would be heavier.


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

Input text: For a fitness tracker it is adequate. Heart rate monitor works ok. I feel it has missed steps in my everyday walking but if you start the monitor for fitness then it does well. If you hold anything in the arm with the tracker and cant move your arm it counts nothing. Battery life on the tracker is amazing. It lasts 7 to 8 days on a charge. It charges very fast. The wrist band is not very comfortable. Do to the way it charges i am not sure you can switch bands. I have not looked into this.


MODEL OUTPUT

 neutral


PARSE RESULT

 ['neutral']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

Input text: I liked the color but the product don't stay latched or closed after putting any cards in the slots


MODEL OUTPUT

 neutral


PARSE RESULT

 ['neutral']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

Input text: Had for a week and my kid has already ripped 3 of the 4 while on the cup. So disappointed.


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

Input text: Very thin, see-through material. The front is much longer than the back.


MODEL OUTPUT

 neutral


PARSE RESULT

 ['neutral']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

Input text: Great product! Great value! Didn’t realize it came with a self-sticking piece to hang door stop. So cool! Arrived on time, as expected, and seller even followed up to be sure I was happy.


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

Input text: Didnt get our bones at all


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

Input text: There are terrible! One sock is shorter and tighter than the other. The colors look faded when you put them on. These suck


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

Input text: Easy to install. Looks good. Works well.


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

Input text: They don’t even work.


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

Input text: I got this backpack Monday night and I was excited about it because I had seen many great reviews for it. I used it for the first time the next day to hold a fair amount of things, and while I was out I noticed this huge rip right down the middle that wasn't there before. I would have been more understanding if I had it for a few months but this was the first time I had put anything into it. I've never been more disappointed in a product before as I have with this backpack. Be very careful when considering purchasing this product.


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

Input text: A great purchase. I was looking at pottery barn chairs but was so put off by their price that I looked elsewhere. This chair is very comfortable, looks fabulous, and great for nursing my baby.


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

Input text: These are good Ukulele picks, but I still perfer to use my own fingers.


MODEL OUTPUT

 neutral


PARSE RESULT

 ['neutral']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

Input text: I don't think we have seen much difference. Maybe we aren't doing it right.


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

Input text: Its a nice small string with beautiful lights, but I misread I assumed it was battery operated and its not, we are having some power issues weather related and I thought it would be nice for extra lighting, its electric plus its has to be close to an outlet. not very useful.


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

Input text: Listed to fit 2019 Subaru Forester. It doesn't fit 2019.


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

Input text: I loved this adapter. Arrived on time and material used was good quality. It works great, this is convenient when I use this in my car, it can use headset when you charging. It is a very good product!


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

Input text: pretty case doesnt have any protection on front of phone so you will need an additional screen protector


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

Input text: Extremely disappointed. The video from this camera is great. The audio is a whole other story!!! No matter what I do I get tons of static. Ive used several different external mics and the audio always ends up being unusable. I really wish I would've researched this camera some more before buying it. Man what a waste of money.


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

Input text: Everyone got a good laugh


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

Input text: Excellent workmanship, beautiful appearance, and just the right size, installation is simple, special and stable. It can put a lot of things such as the usual utensils, dishes, and cups however, the biggest advantage is that it can save space.


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

Input text: I did not receive my package yet The person Noel B is not living here I don't know Him Please take a picture of the person you giving the package thank you


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

Input text: I never received the item, it was said to arrive late for about 10 days, and yet not arrived. When it was showing expected receiving the next day, I thought just cancel and return it since it was so late. The refund processed without issues and received an email told me just keep it, but actually I never received the item.


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

Input text: Honestly this says 10oz my bottles I received wore a 4oz bottle


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

Input text: Lite and easy to use, folds with ease and can be stored in the back seat, but the elastic which holds the shade closed failed within two weeks. Really didn't expect it to last much longer anyway. The price was good so likely will buy again next year.


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

Input text: Great lite when plugged in, but light is much dimmer when used on battery mode.


MODEL OUTPUT

 neutral


PARSE RESULT

 ['neutral']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

Input text: I am very annoyed because it came a day late and it didn’t come with the ferro rod and striker which is the main reason why I ordered it


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

Input text: I love that it keeps the wine cold.


MODEL OUTPUT

 neutral


PARSE RESULT

 ['neutral']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

Input text: I think I got a size too big and their are weird wrinkling at the thigh area. I got them bigger to be appropriate for casual work or church social occasions without fitting too tight. The color was nice and the pair I have are soft. I will try washing them in hot water to see if they shrink a little.


MODEL OUTPUT

 neutral


PARSE RESULT

 ['neutral']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

Input text: Great product, I got this for my dad because he tends to drop a lot of objects and when i got him his airpod case, i was worried it might break. This case did the job and the texture made it non slip so it wont fall off surfaces as easily. The clip also makes it easy for my dad to clip it to his work bag so it wont get lost easily.


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

Input text: The color is mislabeled. This is supposed to be brown/blonde but comes out almost white. Completely unusable.


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

Input text: Easy to install and keep my threadripper nice and cool!


MODEL OUTPUT

 neutral


PARSE RESULT

 ['neutral']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

Input text: This is a beautiful rug. exactly what I was looking for. When I received it, I was very impressed with the color. However, it is very thin. My dinning room table sets on it so I don't think it will get much wear. I hope it will hold up over time.


MODEL OUTPUT

 neutral


PARSE RESULT

 ['neutral']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

Input text: My dog is loving her new toy. She has torn up others very quick, so far so good here. L


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

Input text: Tip broke after a few weeks of use.


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

Input text: This gets three stars because it did not give me exactly what I ordered. I ordered 4 of the 100 card lots. So, I wanted 100 Unstable MTG cards per box. Instead, I was given 97 Unstable cards per box, and 4 random MTG commons. I paid for 100 Unstable cards! Not 97 and 4 random cards! Also, the boxes they advertise are not too great. They do the job of holding the cards, but that's about it. I'm definitely getting a new case for these. If you want to buy, don't take it too seriously. Don't expect all 100 cards to be Unstable, and expect multiples.


MODEL OUTPUT

 neutral


PARSE RESULT

 ['neutral']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

Input text: I have been using sea salt and want to mix this in for the iodine.


MODEL OUTPUT

 neutral


PARSE RESULT

 ['neutral']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

Input text: I had these desk top fan since Christmas 2017 and only used them a hand full of times and now the fans don’t even work. What a waste of money.


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

Input text: This is a poorly made piece that was falling apart as we assembled it - some of the elements looked closer to cardboard than any wood you can imagine. I can foresee that it will be donated or thrown away in the next few months or even weeks.


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

Input text: Product does not include instructions, but turning the shaft changes the frequency. Does nothing to quiet the dog next door, but when I blow it in the house, my wife barks.


MODEL OUTPUT

 neutral


PARSE RESULT

 ['neutral']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

Input text: We never could get this bulb camera to work. I’ve had 3 people try this bulb at different locations and it will not connect to the internet and will not set up.


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

Input text: Ultimately I love the look of the curtains, they are beautiful and provide enough light blocking for the room we're using them in. However, they are not the color pictured. They were only blue and white. I wish that they were the ones that I thought that I had ordered, however, we will keep them because they are still beautiful.


MODEL OUTPUT

 neutral


PARSE RESULT

 ['neutral']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

Input text: This book was so amazing!! WOW!! This is my favorite book that I have read in such a long time. It is a great summer read and it has made me wish that I could be a Meade Creamery girl myself!! Siobhan is an awesome writer and I can’t wait to read more from her.


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

Input text: I followed the instructions but the chalk goes on gritty and chunky, and looks nothing like the photos. A giant waste.


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

Input text: I can not tell you how many times I have bought one of these. My dogs are obsessed with them! The legs don’t last long but the rest of it does, probably one of the longer lasting toys they have had.


MODEL OUTPUT

 neutral


PARSE RESULT

 ['neutral']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

Input text: Very sticky and is messy! Make sure you wipe the lid and top really good or you will struggle to get it open the next time you use it!


MODEL OUTPUT

 neutral


PARSE RESULT

 ['neutral']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

Input text: NOT ENOUGH CHEESE PUFFS


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

Input text: The plastic wrap covering the address section falls out easily. Not high quality, or long lasting. Got the job done for the trip.


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

Input text: They were beautiful and worked great for the agape items I needed them for.


MODEL OUTPUT

 neutral


PARSE RESULT

 ['neutral']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

Input text: It fits nice, but I'm not sure about the quality, at the end of the day you get what you pay for.


MODEL OUTPUT

 neutral


PARSE RESULT

 ['neutral']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

Input text: These are so sexy and perfect for short girls. I’m 5’1 and they aren’t crazy long!! BUT the waistband is really freaking tight. I let my friend wear them and she somehow got the waistband extremely twisted, it took me 3 days to fix it. Yikes. But still cute


MODEL OUTPUT

 neutral


PARSE RESULT

 ['neutral']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

Input text: I love these Capris so much that I bought 4 pairs. The high waist helps with tummy control where I have a lot around the waist but skinnier legs and these are perfect. Sometimes with high waist products they tend to roll but these do not and they make your ass look amazing. Highly recommended.


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

Input text: Great product. Good look. JUST a little tough to remove.


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']
[8]:
sns.heatmap(confusion_matrix(test_targets, pred_targets), annot=True, cmap="Blues")
[8]:
<Axes: >
../_images/notebooks_04_test_flant5_classification_prompts_16_1.png

Prueba 3#

[15]:
prompt = """
TEMPLATE:
    "I need you to help me with a text classification task.
    {__PROMPT_DOMAIN__}
    {__PROMPT_LABELS__}

    {__CHAIN_THOUGHT__}
    {__ANSWER_FORMAT__}"


PROMPT_DOMAIN:
    ""


PROMPT_LABELS:
    "I want you to classify the texts into one of the following categories:
    {__LABELS__}."


PROMPT_DETAIL:
    ""


CHAIN_THOUGHT:
    ""


ANSWER_FORMAT:
    ""
"""
[16]:
import seaborn as sns
from sklearn.metrics import confusion_matrix
from promptmeteo import DocumentClassifier

model = DocumentClassifier(
    language="en",
    model_name="google/flan-t5-small",
    model_provider_name="hf_pipeline",
    prompt_domain="product reviews",
    prompt_labels=["positive", "negative", "neutral"],
    selector_k=0,
    verbose=True,
)

model.task.prompt.read_prompt(prompt)

pred_targets = model.predict(test_reviews)
/opt/conda/lib/python3.10/site-packages/transformers/generation/utils.py:1270: UserWarning: You have modified the pretrained model configuration to control generation. This is a deprecated strategy to control generation and will be removed soon, in a future version. Please use a generation configuration file (see https://huggingface.co/docs/transformers/main_classes/text_generation )
  warnings.warn(


PROMPT INPUT

  I need you to help me with a text classification task.  I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].


Input text: It keeps the litter box smelling nice.


MODEL OUTPUT

 neutral


PARSE RESULT

 ['neutral']


PROMPT INPUT

  I need you to help me with a text classification task.  I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].


Input text: Installed this on our boat and am very happy with the results. Great product!


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task.  I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].


Input text: It is really nice to have my favorite sugar alternative packaged in little take along packets! I LOVE swerve, and it is so convenient to have these to throw in my purse for dining out, or to use at a friend’s house. While they are a bit pricey, I cannot stand Equal or the pink stuff in my iced tea. Swerve or nothing, so i am thrilled to have my sweetener on the go!


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task.  I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].


Input text: Easy to install, but very thin


MODEL OUTPUT

 neutral


PARSE RESULT

 ['neutral']


PROMPT INPUT

  I need you to help me with a text classification task.  I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].


Input text: It's an ok bin. I got it to use as a clothes hamper thinking it was more of a linen material, probably my mistake for not reading the description better but it's actually more like a plastic. Decided it would be better suited for my daughter's stuff animals. It's cute and serves a purpose and isn't all that expensive. Just not what I thought it would be when originally purchasing it.


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task.  I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].


Input text: Interesting from the very beginning. Loved the characters, they really brought the book to life. Would like to read more by this author.


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task.  I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].


Input text: It was dried out when I opened package. Was very disappointed with this product.


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task.  I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].


Input text: Works great and the picture is good, but it doesn't hold a battery long at all. I actually have to plug it in every night once I lay down or it won't stay charged.


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task.  I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].


Input text: Bought this item not even three months ago and am already starting to have problems. The steal slates to support the mattress (as advertised NO BOX SPRING NEEDED) does in fact need that extra layer of support. I am currently using about 7 blankets underneath my mattress for support. However my bed does stay in place, there is storage underneath like I needed and all around is a good product. But if you do plan on buying this item make sure you have the extra support for your mattress!!!


MODEL OUTPUT

 neutral


PARSE RESULT

 ['neutral']


PROMPT INPUT

  I need you to help me with a text classification task.  I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].


Input text: Corner of pop socket is faded I would like a new one!


MODEL OUTPUT

 neutral


PARSE RESULT

 ['neutral']


PROMPT INPUT

  I need you to help me with a text classification task.  I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].


Input text: After 5 minutes of supervised play, the motor started making high pitched terrible screeching noises. Don't buy unless you have a tiny, useless little rat of a dog. Wasted $18.00


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task.  I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].


Input text: I had to return them. They said they worked to recharge dog bark collars, but neither cord plugged into different USB outlets charged the collar.


MODEL OUTPUT

 neutral


PARSE RESULT

 ['neutral']


PROMPT INPUT

  I need you to help me with a text classification task.  I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].


Input text: NEVER RECEIVE THIS PRODUCT EVEN AFTER CONTACTING THE SELLER MORE THAN ONCE


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task.  I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].


Input text: I bought this from Liberty Imports and it was not secured in the packaging and did not work. I returned it for another one and with the same result. The second one had markings on the car that suggest it was used before.


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task.  I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].


Input text: This Christmas window sticker receive very small, not look like the picture.z


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task.  I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].


Input text: I always meal prep so I got these for my lunchbox to take to work. Awesome value for the price and love that it comes with a carrier.


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task.  I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].


Input text: The low volume is quite good just a little louder than expected but that’s okay


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task.  I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].


Input text: Lights are not very bright


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task.  I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].


Input text: Perfect color and really cool lighted keyboard, but it dents really easily just being in a backpack as we've only used it like 2 weeks and it's already dented. No instructions given to set up bluetooth or change lighted keyboard options or brightness. Had to look up how to do such using previous customer reviews (from their calls to customer service). Expected it to be more durable for a forty-five dollar+ case. Disappointed it dents so easily.


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task.  I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].


Input text: We have enjoyed this tray. It lets my sons color and play with their small cars/construction vehicles while in the car. It also allows them to color and keep busy. It has a cup holder that is easier for my 2 1/2 year old to reach than the one that comes with his car seat. Easy to install and also take off when not in use.


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task.  I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].


Input text: Works good; Never mind expire date, those are contrived.


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task.  I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].


Input text: Just like you would get at the dollar store.


MODEL OUTPUT

 neutral


PARSE RESULT

 ['neutral']


PROMPT INPUT

  I need you to help me with a text classification task.  I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].


Input text: Product is of lower quality


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task.  I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].


Input text: Very Pretty, but doesn't stand out well without a solid base coat. Great for little girls who want unicorn/fairy nails and when you don't want a bright color.


MODEL OUTPUT

 neutral


PARSE RESULT

 ['neutral']


PROMPT INPUT

  I need you to help me with a text classification task.  I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].


Input text: The range is terrible on these units. I have to pull all the way into the driveway before it will activate the door. We do like the size and that they are keychains.


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task.  I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].


Input text: Never got mine in the mail now that I’m seeing this! Wow. I’d like a full refund !


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task.  I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].


Input text: Somehow a $30 swimsuit off of Amazon is super cute and fits great! I just had a baby and my boobs are huge, but this covered me and I felt super supported in it. It’s a great suit!


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task.  I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].


Input text: Really, really thin.


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task.  I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].


Input text: I use to get these all the time. I missed them till I found them here. Do not like hot. These are perfect.


MODEL OUTPUT

 neutral


PARSE RESULT

 ['neutral']


PROMPT INPUT

  I need you to help me with a text classification task.  I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].


Input text: Since the banks have or are doing away with coin counting machines, this is the next best thing. I can watch TV and get the coins wrapped in no time.


MODEL OUTPUT

 neutral


PARSE RESULT

 ['neutral']


PROMPT INPUT

  I need you to help me with a text classification task.  I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].


Input text: Does the job, but wish I had ordered the stand


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task.  I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].


Input text: On first use it didn't heat up and now it doesn't work at all


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task.  I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].


Input text: The nozzle broke after a week and I reached out to the seller but got no response


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task.  I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].


Input text: Much better than driving with no indication that you are a student driver. Maybe in the next set you can include "new driver" for when people graduate out of being a student driver. (for use after you pass the road test, etc.)


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task.  I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].


Input text: Much smaller than anticipated. More like a notepad size than a book.


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task.  I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].


Input text: My cats have no problem eating this . I put it in their food .


MODEL OUTPUT

 neutral


PARSE RESULT

 ['neutral']


PROMPT INPUT

  I need you to help me with a text classification task.  I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].


Input text: Amazon never deliver the items. Horrible customer service. Considering new purchase choices.


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task.  I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].


Input text: Great price. Good quality.


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task.  I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].


Input text: Seal was already broken when I opened the container and it looked like someone had used it.


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task.  I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].


Input text: This item is terrible for pregnant woman! Poorly designed! Poor quality! The straps just keep popping off and it’s even big on me. When I adjust it nothing changes. Do not buy.


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task.  I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].


Input text: Good quality and price.


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task.  I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].


Input text: Does what it says, works great.


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task.  I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].


Input text: Definitely not what I expected! Now to say this I usually use the Doc Johnson Seven Wonders vibrator which is awesome I think they stop making it so I had to find an alternative so I found this one the price was decent read the reviews you know looked at everybody else reviews and base it off of that so hey I ordered okay so I had it for a few weeks now wanted to give an honest review and honestly... I hate it I think it's more or less the design of the applicator I don't really like the fatness of it I really like to sleep slim ones that to me they really stimulate your clit a whole lot better but hey that's just my opinion I went by it again that we looking for alternative hope this helps anybody on the quest to find a good bullet LOL LOL


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task.  I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].


Input text: This item is smaller than I thought it would be but it works great!


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task.  I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].


Input text: The furniture is a bit smaller and lighter than what I was expecting, but for the price it does the job. I probably will do a bit more research for future outdoor furniture buying, but for now this set is good enough.


MODEL OUTPUT

 neutral


PARSE RESULT

 ['neutral']


PROMPT INPUT

  I need you to help me with a text classification task.  I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].


Input text: Worked with the torch. Blue flame. It burned hot enough to destroy aluminum foil


MODEL OUTPUT

 neutral


PARSE RESULT

 ['neutral']


PROMPT INPUT

  I need you to help me with a text classification task.  I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].


Input text: This watch was purchased in mid-June. Not even 2 months later it's losing 45 minutes every 4 hours. The indicator boasts a "full charge" but still, losing >10 minutes every hour - faulty. Amazon's customer service was A COMPLETE JOKE. I was on the line for over ten minutes (probably longer but my watch runs slow), and got nowhere. Out of warranty.


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task.  I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].


Input text: The outer packing was rotten by the time it arrived and it can not be returned.


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task.  I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].


Input text: When I washed them they shrunk I order a bigger size because I knew they would shrink a little but they shrunk to much


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task.  I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].


Input text: not what i exspected!


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task.  I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].


Input text: Arrived frozen solid. Been in the house for 2 hours and still frozen. Brought into house 7 min after delivered. Probably ruined. Suspect package was in delivery vehicle overnight. Waste of money.


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task.  I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].


Input text: I’m very upset I ordered the knife set for the black holder and ended up with a wooden one. I wish that information was disclosed I would have gone with a different knife set. I wanted it to match my kitchen.


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task.  I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].


Input text: washes out very quickly


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task.  I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].


Input text: I bought this book and the McGraw hill book and I really liked the Smart Edition book better. The answer explanations were more detailed and I actually found quite a few errors in the McGraw hill book, I stopped using it after that and just used this one. This one also comes with the online version of the tests and flashcards so it really is a better deal


MODEL OUTPUT

 neutral


PARSE RESULT

 ['neutral']


PROMPT INPUT

  I need you to help me with a text classification task.  I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].


Input text: way smaller than exspected


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task.  I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].


Input text: This rice is from the ice age. It tastes ghastly and revolting. I threw the rest away and I'm sure not even the ants will like it. It seems to be leftovers from Neanderthals which might add some archeological value to it.


MODEL OUTPUT

 neutral


PARSE RESULT

 ['neutral']


PROMPT INPUT

  I need you to help me with a text classification task.  I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].


Input text: Fast shipping. Unfortunately, upon opening I noticed a sizable chip on the 1000 grit side. Hopefully still useable after a little grinding.


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task.  I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].


Input text: Had to return it. Didn’t work with my Rx. Tested it once upon arrival, seemed fine. The next day it was leaking.


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task.  I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].


Input text: Beautiful rug and value however rolling it on a one inch roll is ridiculous. I can’t remember the last 5 X 7 rug that comes rolled up on a cardboard roll. While I understand the rug will flatten eventually it should be after a day or so. Not days with weights on it, flipping it and steaming it. Good think I’m not having company tomorrow.


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task.  I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].


Input text: I use these cartridges all the time, but this is my first time to order them from Amazon (I had a gift card on Amazon that needed to be used). The box which, actually, was shipped from Office Depot was damaged when it arrived; however, the cartridges appear not to be damaged. I'll find out for sure when I install them (not all at the same time). An interesting thing about my order: I wanted a box of 2 black cartridges, also, but there was a delivery charge on them because the order would be fulfilled by Office Depot - there was free shipping on the color cartridges (fulfilled by Amazon). Rather than pay shipping on the black cartridges, I bought them at the local Walmart for the same price as through Amazon -- no shipping charges. The interesting thing was that when the color cartridges arrived, they had been shipped by Office Depot -- no shipping charges on them. Why shipping charges on black but not color -- price on each was more than the $25 amount required for free shipping and both shipped from Office Depot? Doesn't make sense to me.


MODEL OUTPUT

 neutral


PARSE RESULT

 ['neutral']


PROMPT INPUT

  I need you to help me with a text classification task.  I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].


Input text: Only 6 of the 12 lights were included...


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task.  I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].


Input text: This was not like the name brand polymer clays I am used to working with. This is much to plasticky feeling, hard to work with, it won’t soften up even the slightest bit with the heat from my hands like the name brand polymers. It was difficult to mold, roll, and impossible to create anything halfway decent looking. This is certainly a case of “you get what you pay for” Stick to the name brand if you want this for anything other than for a kid to mess around with. I am highly disappointed in everything except for the case it came in.


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task.  I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].


Input text: All the pockets and functionality are just right. I can't really find anything about the usability that annoys me such as pockets or organization not quite right. The pockets are placed and sized well and I find them all useful. The most annoying thing about it is that it does not stand up straight on its own, however, it has a very predictable side that it falls to. It leans predictably so it is not an actual issue against it's overall usability.


MODEL OUTPUT

 neutral


PARSE RESULT

 ['neutral']


PROMPT INPUT

  I need you to help me with a text classification task.  I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].


Input text: Nice lightweight material without being cheap feeling. Generally the design is nice, except the waist. The sewn in waist band is high. If you are long waisted , it would be way above your waist. I am a medium which is what I ordered. The waistband is about at the last rib in the front. When you tie the attached belt there is an improvement. OK as a house dress for me. I'm 5'4" and it's bit bit long. I just knotted the corners of the bottom hem...that works.


MODEL OUTPUT

 neutral


PARSE RESULT

 ['neutral']


PROMPT INPUT

  I need you to help me with a text classification task.  I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].


Input text: Peeled off very quickly. Looked good for a short while; maybe a day.


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task.  I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].


Input text: Finger print scanned does not work with it on


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task.  I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].


Input text: Works perfectly. Only criticism might be that the OD doesn’t match so it’s very apparent that an adapter is being used but glad to be able to use old attachments!


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task.  I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].


Input text: DO NOT BUY! Device did not work after the first use and the company is ignoring my return request. You want the device to be reliable when you need it. I no longer trust this brand.


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task.  I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].


Input text: Love these rollers! Very compact and easy to travel with!


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task.  I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].


Input text: Maybe I’m not that good at applying it. But it seems really hard to get on without streaks, and it only seems to work okay


MODEL OUTPUT

 neutral


PARSE RESULT

 ['neutral']


PROMPT INPUT

  I need you to help me with a text classification task.  I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].


Input text: The product is fine and the delivery was fast, but there's no way to seal the package once it's opened. There's a wide piece of tape, but you have to cut the package open to get into it unlike most wipes that have a slit with an adhesive to cover it afterward. If you don't seal them back up they go dry and are useless.


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task.  I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].


Input text: Very breathable and easy to put on.


MODEL OUTPUT

 neutral


PARSE RESULT

 ['neutral']


PROMPT INPUT

  I need you to help me with a text classification task.  I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].


Input text: I bought this for my daughter for her new phone and she loves it! It fits the phone very well and looks super cute. It also feels nice and sturdy.


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task.  I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].


Input text: never received my order


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task.  I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].


Input text: This product is not as viewed in the picture, was assuming it would be gold but came in a silver color. Slightly disappointed but not worth returning due to the quality of price.


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task.  I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].


Input text: Worst cable I have had to date for my iphone. It's so stiff if you move it at all while plugged in, it disconnects. I have to carefully plug it in all the way and it doesn't give that really solid click feel, then if disturbed at all it loses connection. I have another Anker Powerline 1 cable and it has been great. Not sure how the II can go backwards. My window to return has closed so I guess I'll contact them directly and see if they will replace with a different cable.


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task.  I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].


Input text: Had Western Digital in all my builds and they've been great. Decided to try the Fire Cuda and it failed two weeks in and I lost so much data. Never again!!


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task.  I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].


Input text: The time display stopped working after 3 months. Can now see only bottom half of numbers. Don't buy.


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task.  I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].


Input text: Great story, characters and everything else. I can not recommend this more!


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task.  I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].


Input text: I love the way the ring looks and feels. It's just I chose 5.5 for my ring size and I referenced it to the size chart but it still but it's big on me.


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task.  I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].


Input text: My girls love them, but the ball that lights up busted as soon as I removed from the package.


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task.  I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].


Input text: Love this booster seat ! My miniature schnauzer Chloe is with me most of the time. She loves riding in the car. Before she couldn't see over dashboard in my truck. Now she can and she loves it. She watches everything going on. Thank you for a well made product. We would order again.


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task.  I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].


Input text: well built for the price


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task.  I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].


Input text: I'm almost done with this book, but its a little too wordy and not intense enough for me.


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task.  I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].


Input text: Fit as expected to replace broken cover


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task.  I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].


Input text: When you order a product, you expect the product to be as described. They were advertised as CAP Dumbbells. However, the product received was Golds Gym dumbbells. If I wanted Golds Gym, I would have bought these from Walmart. I have a complete set of CAP dumbbells, with the exception of my one set from Golds Gym. Is the weight correct, yes. Due they perform, yes. I just expect to get what I paid for not something else. After reading a few other reviews, I see that others have had the same issue.


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task.  I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].


Input text: The battery life is terrible compared to earlier versions, an all day reading episode uses it up. It is not something I could count on for a long trip without power nearby. Also, it often goes back several pages quickly because my hand gets near the left edge. I regret buying this version.


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task.  I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].


Input text: this is a great book for parents who want to maximize their kids health but not lose the flavor and fun of food. spices are not spicy, they’re health boosting and delicious. i love spice momma’s creative recipes and can’t wait for more from her.


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task.  I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].


Input text: This item takes 2 AA batteries not 2 C batteries like it says


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task.  I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].


Input text: Plates won’t snap in. The keep falling out no master how hard you push. Leaks every where. Handle won’t snap shut. It’s good difficult to use. It’s not like my d sandwich maker I used in college. Only reason I wanted another one-the simple ease of making sandwiches. But this is more headache than worth it. I’m cleaning the mess it’s made.


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task.  I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].


Input text: Came with 2 pens missing from the box.


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task.  I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].


Input text: Adhesive is good. Easy to apply.


MODEL OUTPUT

 neutral


PARSE RESULT

 ['neutral']


PROMPT INPUT

  I need you to help me with a text classification task.  I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].


Input text: It's a perfect product, I use it for study and relaxation. Easy to assemble and lights are adjustable (can be turned off). It's also really quiet, barely any sound. If you need a diffuser that is for meditation, studying or relaxation, definitely pick this one!! Also, a great value for a 2 pack.


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task.  I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].


Input text: Awesome tool for Toyota/Lexus cartridge filter. Way less messy than using the plastic items that come with the filters to drain the oil from the cartridge. The flow doesn’t start until you turn the knurled handle after having threading it into the bottom of the cartridge. Clear tubing is handy to direct the oil into a pan or directly into a recycling container.


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task.  I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].


Input text: Great price BUT were not stuffed properly and had to be opened for fixing. Also, I was under the impression that it was 2, but it's only one insert. My fault for not reading the whole thing so just an FYI.


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task.  I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].


Input text: We've all been lied to, that's a fact. Andy Andrews shows us the depth we have sunk to by the lies. We need to expect truth from those in the political arena or elect those people that will speak the truth. You don't want your friends to lie, why accept it from elected officials. Apathy is running rampant. We need to be able to discern truth and it can only be found if we are willing to look for it. Check things out, don't always take what someone says as truth. A short, but powerful, book.


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task.  I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].


Input text: Love the gloves , but be,careful if you are allergic to nickel don't buy them they are made with nickel chloride which I am allergic very highly allergic to so that was the only downfall


MODEL OUTPUT

 neutral


PARSE RESULT

 ['neutral']


PROMPT INPUT

  I need you to help me with a text classification task.  I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].


Input text: These are super cute! Coworkers have given lots of compliments on the style. I ordered 3 pair for work and home :) haven’t had a headache since wearing these. love!


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task.  I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].


Input text: Was not delivered!!!


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task.  I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].


Input text: This thing is EXACTLY what is described, 10/10


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task.  I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].


Input text: Believe the other reviews, the belt is small and won’t let you start the mower. When you do it will burn the belt in minutes.


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task.  I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].


Input text: We ordered 4 diff brands so we could compare and try them out and this one was by far the worst, once you sat down. You felt squished. I’m 5.5 and 120 lbs. My husband could barely fit.


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task.  I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].


Input text: I ordered this phone for my daughter and the "unlocked dual phone " is misleading as it came LOCKED & in Chinese!😡


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task.  I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].


Input text: Have not used at night yet


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task.  I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].


Input text: Our 6 month old Daughter always needs a security blanket wherever we go. We bought these as backups and they have been so durable and they are really cute too.


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task.  I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].


Input text: I like everything about this book and the fine expert author who also provides vital information on T.V.


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task.  I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].


Input text: My twin grand babies will not be here until March. So we have not used them yet. The only thing so far that I was let down by was the set for the girl showed a cute bow, when I got it, it was just the cap. You should not show the boy in the picture.


MODEL OUTPUT

 neutral


PARSE RESULT

 ['neutral']


PROMPT INPUT

  I need you to help me with a text classification task.  I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].


Input text: Very plain taste.. Carmel has so much more flavor but too pricy.. so pay less and get no flavor.. or pay a rediculous amount for very little of product..


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task.  I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].


Input text: I have returned it. Did not like it.


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task.  I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].


Input text: Pretty easy to work with, the finished driveway looks very nice have to see over time how it lasts , Happy with the results .


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task.  I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].


Input text: this was sent back, because I did not need it


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task.  I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].


Input text: Shines dimly. broke on next day! Awful, terrible quality. Price is higher than any other. Do not waste time and money on this!


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task.  I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].


Input text: The strap is to long it keeps drink cold for maybe 2 hours. its very stylish


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task.  I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].


Input text: Works well, was great for my Injustice 2 Harley Quinn cosplay


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task.  I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].


Input text: Does not dry like it is supposed to.


MODEL OUTPUT

 neutral


PARSE RESULT

 ['neutral']


PROMPT INPUT

  I need you to help me with a text classification task.  I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].


Input text: Right earbud has given our after less than 6 months of use. Do not buy.


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task.  I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].


Input text: one bag was torn when it's delivered


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task.  I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].


Input text: One of them worked, the other one didn't. There's no apparent damage, it just won't work on multiple phones and with multiple wall ports.


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task.  I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].


Input text: ear holes are smaller so i can hurt after long use.


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task.  I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].


Input text: Not pleased with this external hard drive. I got it bc I don't have any storage space on my phone. I plugged it in to my iPhone and I have to download the app for it....which requires available storage space, which I don't have! It is also doesn't seem to be quality made. Disappointed overall.


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task.  I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].


Input text: Love the lights, however, if you leave them in the on position for more than a few days in order to use the remote, the batteries drain quickly whether the candles are actually lit up or not.


MODEL OUTPUT

 neutral


PARSE RESULT

 ['neutral']


PROMPT INPUT

  I need you to help me with a text classification task.  I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].


Input text: Not happy. Not what we were hoping for.


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task.  I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].


Input text: Not only was the product poorly packaged, it did not work and made a horrible grinding noise when turned on. To make matters worse, I followed ALL return instructions and still have not been issued my refund! Would give zero stars if I could.


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task.  I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].


Input text: The top part of the cover does not stay on.


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task.  I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].


Input text: I'm never buying pads again! I've been using these for months now and I absolutely love them. They're super durable and easy to clean, great for people with sensitive skin or who have allergies. These are soft, hypoallergenic, and super absorbent without feeling like wearing a diaper or something (at least, that's how I used to feel wearing pads). The money you spend now saves you ever having to spend on pads again.


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task.  I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].


Input text: Last me only couple of week


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task.  I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].


Input text: I not going to buy it again


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task.  I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].


Input text: This is an awesome coffee bar! We put it to fairly easy. Just make sure you look at the piece and figure out which is the front and back. I had to take it back apart and turn some around.


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task.  I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].


Input text: Very cute short curtains just what I was looking for for my new farmhouse style decor


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task.  I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].


Input text: Just as good as the other speck phone cases. It is just prettier


MODEL OUTPUT

 neutral


PARSE RESULT

 ['neutral']


PROMPT INPUT

  I need you to help me with a text classification task.  I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].


Input text: Glass was broken had to ship it back waiting on the new one to be here tomorrow hopefully not not broken.


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task.  I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].


Input text: Loved that they were dishwasher safe and so colorful. Unfortunately they are not airtight so unsuitable for carbonated water. I just bought a soda stream and needed bottles for the water. It lost its carbonation ☹️


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task.  I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].


Input text: We have another puzzle like this we love and were excited to add to ours but this is just circles with the smaller shapes painted on. Not what is looks like, no challenge


MODEL OUTPUT

 neutral


PARSE RESULT

 ['neutral']


PROMPT INPUT

  I need you to help me with a text classification task.  I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].


Input text: Hash brown main entree wasn't great, everything else was amazing. What else can you expect for an MRE?


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task.  I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].


Input text: Was OK but not wonderful


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task.  I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].


Input text: Quite happy with these cards. They are a larger size than many I've seen and the rose stickers for sealing are a nice touch.


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task.  I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].


Input text: Meh. Not as stylish as I would have thought and not very sturdy looking. 10/10 do regret.


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task.  I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].


Input text: I was amazed how good it works. That being said if you forget to put it on you will sweat like you did before. Would recommend to everyone.


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task.  I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].


Input text: They were exactly what I was looking for.


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task.  I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].


Input text: Great,just what I want


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task.  I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].


Input text: Great fit... very warm.. very comfortable


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task.  I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].


Input text: The umbrella itself is great but buyer beware they send you a random umbrella and not the design you pick. It's a good thing my daughter likes all the Disney princesses or I would have had an upset 3 year old. I picked a design that showed 4 different princesses on it and received one that had only snow white and the 7 dwarfs on it. When I went to the site I read the fine print that they pick the umbrellas at random so no need to return.


MODEL OUTPUT

 neutral


PARSE RESULT

 ['neutral']


PROMPT INPUT

  I need you to help me with a text classification task.  I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].


Input text: I got my package today and it was used it came with dog hair all over it! I am really mad because my house is allergic to dogs!


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task.  I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].


Input text: This book was okay I guess. I was not really fond of Jaime's views on things but oh well. Quinn was a wise cracker, but otherwise okay. Jaime should have set her parents down when she was younger and told them both they were messing up her life, maybe she wouldn't have been so messed up. Otherwise it was okay book.


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task.  I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].


Input text: The description said 10 pound bag. There is no way this is 10 pounds. I get the 5 pound bags at the feed store and the 5 pound bag is bigger and heavier. I ordered two bags and I can lift both bags with one hand without trying.


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task.  I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].


Input text: Love the light. Fits with out furniture. Great overall but the floor switch isn't convenient to possible add a switch on the light itself. We ended up running the floor switch up between the couch sections so we can operate the light without having to find the switch on the floor


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task.  I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].


Input text: These picks are super cute but 1/2 of them were broken. When I tried to replace the item, there was no option for it.


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task.  I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].


Input text: I was disappointed with these. I thought they would be heavier.


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task.  I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].


Input text: For a fitness tracker it is adequate. Heart rate monitor works ok. I feel it has missed steps in my everyday walking but if you start the monitor for fitness then it does well. If you hold anything in the arm with the tracker and cant move your arm it counts nothing. Battery life on the tracker is amazing. It lasts 7 to 8 days on a charge. It charges very fast. The wrist band is not very comfortable. Do to the way it charges i am not sure you can switch bands. I have not looked into this.


MODEL OUTPUT

 neutral


PARSE RESULT

 ['neutral']


PROMPT INPUT

  I need you to help me with a text classification task.  I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].


Input text: I liked the color but the product don't stay latched or closed after putting any cards in the slots


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task.  I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].


Input text: Had for a week and my kid has already ripped 3 of the 4 while on the cup. So disappointed.


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task.  I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].


Input text: Very thin, see-through material. The front is much longer than the back.


MODEL OUTPUT

 neutral


PARSE RESULT

 ['neutral']


PROMPT INPUT

  I need you to help me with a text classification task.  I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].


Input text: Great product! Great value! Didn’t realize it came with a self-sticking piece to hang door stop. So cool! Arrived on time, as expected, and seller even followed up to be sure I was happy.


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task.  I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].


Input text: Didnt get our bones at all


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task.  I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].


Input text: There are terrible! One sock is shorter and tighter than the other. The colors look faded when you put them on. These suck


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task.  I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].


Input text: Easy to install. Looks good. Works well.


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task.  I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].


Input text: They don’t even work.


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task.  I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].


Input text: I got this backpack Monday night and I was excited about it because I had seen many great reviews for it. I used it for the first time the next day to hold a fair amount of things, and while I was out I noticed this huge rip right down the middle that wasn't there before. I would have been more understanding if I had it for a few months but this was the first time I had put anything into it. I've never been more disappointed in a product before as I have with this backpack. Be very careful when considering purchasing this product.


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task.  I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].


Input text: A great purchase. I was looking at pottery barn chairs but was so put off by their price that I looked elsewhere. This chair is very comfortable, looks fabulous, and great for nursing my baby.


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task.  I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].


Input text: These are good Ukulele picks, but I still perfer to use my own fingers.


MODEL OUTPUT

 neutral


PARSE RESULT

 ['neutral']


PROMPT INPUT

  I need you to help me with a text classification task.  I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].


Input text: I don't think we have seen much difference. Maybe we aren't doing it right.


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task.  I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].


Input text: Its a nice small string with beautiful lights, but I misread I assumed it was battery operated and its not, we are having some power issues weather related and I thought it would be nice for extra lighting, its electric plus its has to be close to an outlet. not very useful.


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task.  I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].


Input text: Listed to fit 2019 Subaru Forester. It doesn't fit 2019.


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task.  I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].


Input text: I loved this adapter. Arrived on time and material used was good quality. It works great, this is convenient when I use this in my car, it can use headset when you charging. It is a very good product!


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task.  I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].


Input text: pretty case doesnt have any protection on front of phone so you will need an additional screen protector


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task.  I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].


Input text: Extremely disappointed. The video from this camera is great. The audio is a whole other story!!! No matter what I do I get tons of static. Ive used several different external mics and the audio always ends up being unusable. I really wish I would've researched this camera some more before buying it. Man what a waste of money.


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task.  I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].


Input text: Everyone got a good laugh


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task.  I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].


Input text: Excellent workmanship, beautiful appearance, and just the right size, installation is simple, special and stable. It can put a lot of things such as the usual utensils, dishes, and cups however, the biggest advantage is that it can save space.


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task.  I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].


Input text: I did not receive my package yet The person Noel B is not living here I don't know Him Please take a picture of the person you giving the package thank you


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task.  I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].


Input text: I never received the item, it was said to arrive late for about 10 days, and yet not arrived. When it was showing expected receiving the next day, I thought just cancel and return it since it was so late. The refund processed without issues and received an email told me just keep it, but actually I never received the item.


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task.  I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].


Input text: Honestly this says 10oz my bottles I received wore a 4oz bottle


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task.  I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].


Input text: Lite and easy to use, folds with ease and can be stored in the back seat, but the elastic which holds the shade closed failed within two weeks. Really didn't expect it to last much longer anyway. The price was good so likely will buy again next year.


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task.  I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].


Input text: Great lite when plugged in, but light is much dimmer when used on battery mode.


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task.  I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].


Input text: I am very annoyed because it came a day late and it didn’t come with the ferro rod and striker which is the main reason why I ordered it


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task.  I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].


Input text: I love that it keeps the wine cold.


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task.  I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].


Input text: I think I got a size too big and their are weird wrinkling at the thigh area. I got them bigger to be appropriate for casual work or church social occasions without fitting too tight. The color was nice and the pair I have are soft. I will try washing them in hot water to see if they shrink a little.


MODEL OUTPUT

 neutral


PARSE RESULT

 ['neutral']


PROMPT INPUT

  I need you to help me with a text classification task.  I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].


Input text: Great product, I got this for my dad because he tends to drop a lot of objects and when i got him his airpod case, i was worried it might break. This case did the job and the texture made it non slip so it wont fall off surfaces as easily. The clip also makes it easy for my dad to clip it to his work bag so it wont get lost easily.


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task.  I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].


Input text: The color is mislabeled. This is supposed to be brown/blonde but comes out almost white. Completely unusable.


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task.  I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].


Input text: Easy to install and keep my threadripper nice and cool!


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task.  I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].


Input text: This is a beautiful rug. exactly what I was looking for. When I received it, I was very impressed with the color. However, it is very thin. My dinning room table sets on it so I don't think it will get much wear. I hope it will hold up over time.


MODEL OUTPUT

 neutral


PARSE RESULT

 ['neutral']


PROMPT INPUT

  I need you to help me with a text classification task.  I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].


Input text: My dog is loving her new toy. She has torn up others very quick, so far so good here. L


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task.  I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].


Input text: Tip broke after a few weeks of use.


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task.  I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].


Input text: This gets three stars because it did not give me exactly what I ordered. I ordered 4 of the 100 card lots. So, I wanted 100 Unstable MTG cards per box. Instead, I was given 97 Unstable cards per box, and 4 random MTG commons. I paid for 100 Unstable cards! Not 97 and 4 random cards! Also, the boxes they advertise are not too great. They do the job of holding the cards, but that's about it. I'm definitely getting a new case for these. If you want to buy, don't take it too seriously. Don't expect all 100 cards to be Unstable, and expect multiples.


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task.  I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].


Input text: I have been using sea salt and want to mix this in for the iodine.


MODEL OUTPUT

 neutral


PARSE RESULT

 ['neutral']


PROMPT INPUT

  I need you to help me with a text classification task.  I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].


Input text: I had these desk top fan since Christmas 2017 and only used them a hand full of times and now the fans don’t even work. What a waste of money.


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task.  I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].


Input text: This is a poorly made piece that was falling apart as we assembled it - some of the elements looked closer to cardboard than any wood you can imagine. I can foresee that it will be donated or thrown away in the next few months or even weeks.


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task.  I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].


Input text: Product does not include instructions, but turning the shaft changes the frequency. Does nothing to quiet the dog next door, but when I blow it in the house, my wife barks.


MODEL OUTPUT

 neutral


PARSE RESULT

 ['neutral']


PROMPT INPUT

  I need you to help me with a text classification task.  I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].


Input text: We never could get this bulb camera to work. I’ve had 3 people try this bulb at different locations and it will not connect to the internet and will not set up.


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task.  I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].


Input text: Ultimately I love the look of the curtains, they are beautiful and provide enough light blocking for the room we're using them in. However, they are not the color pictured. They were only blue and white. I wish that they were the ones that I thought that I had ordered, however, we will keep them because they are still beautiful.


MODEL OUTPUT

 neutral


PARSE RESULT

 ['neutral']


PROMPT INPUT

  I need you to help me with a text classification task.  I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].


Input text: This book was so amazing!! WOW!! This is my favorite book that I have read in such a long time. It is a great summer read and it has made me wish that I could be a Meade Creamery girl myself!! Siobhan is an awesome writer and I can’t wait to read more from her.


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task.  I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].


Input text: I followed the instructions but the chalk goes on gritty and chunky, and looks nothing like the photos. A giant waste.


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task.  I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].


Input text: I can not tell you how many times I have bought one of these. My dogs are obsessed with them! The legs don’t last long but the rest of it does, probably one of the longer lasting toys they have had.


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task.  I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].


Input text: Very sticky and is messy! Make sure you wipe the lid and top really good or you will struggle to get it open the next time you use it!


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task.  I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].


Input text: NOT ENOUGH CHEESE PUFFS


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task.  I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].


Input text: The plastic wrap covering the address section falls out easily. Not high quality, or long lasting. Got the job done for the trip.


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task.  I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].


Input text: They were beautiful and worked great for the agape items I needed them for.


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task.  I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].


Input text: It fits nice, but I'm not sure about the quality, at the end of the day you get what you pay for.


MODEL OUTPUT

 neutral


PARSE RESULT

 ['neutral']


PROMPT INPUT

  I need you to help me with a text classification task.  I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].


Input text: These are so sexy and perfect for short girls. I’m 5’1 and they aren’t crazy long!! BUT the waistband is really freaking tight. I let my friend wear them and she somehow got the waistband extremely twisted, it took me 3 days to fix it. Yikes. But still cute


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task.  I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].


Input text: I love these Capris so much that I bought 4 pairs. The high waist helps with tummy control where I have a lot around the waist but skinnier legs and these are perfect. Sometimes with high waist products they tend to roll but these do not and they make your ass look amazing. Highly recommended.


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task.  I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].


Input text: Great product. Good look. JUST a little tough to remove.


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']
[17]:
sns.heatmap(confusion_matrix(test_targets, pred_targets), annot=True, cmap="Blues")
[17]:
<Axes: >
../_images/notebooks_04_test_flant5_classification_prompts_20_1.png

3. EN - Con entrenamiento#

Prueba 1#

[24]:
prompt = """
TEMPLATE:
    "I need you to help me with a text classification task.
    {__PROMPT_DOMAIN__}
    {__PROMPT_LABELS__}

    {__CHAIN_THOUGHT__}
    {__ANSWER_FORMAT__}"


PROMPT_DOMAIN:
    "The texts you will be processing are from the {__DOMAIN__} domain."


PROMPT_LABELS:
    "I want you to classify the texts into one of the following categories:
    {__LABELS__}."


PROMPT_DETAIL:
    ""


CHAIN_THOUGHT:
    "Please provide a step-by-step argument for your answer, explain why you
    believe your final choice is justified, and make sure to conclude your
    explanation with the name of the class you have selected as the correct
    one, in lowercase and without punctuation."


ANSWER_FORMAT:
    "In your response, include only the name of the class as a single word, in
    lowercase, without punctuation, and without adding any other statements or
    words."
"""
[25]:
import seaborn as sns
from sklearn.metrics import confusion_matrix
from promptmeteo import DocumentClassifier

model = DocumentClassifier(
    language="en",
    model_name="google/flan-t5-small",
    model_provider_name="hf_pipeline",
    prompt_domain="product reviews",
    prompt_labels=["positive", "negative", "neutral"],
    selector_k=5,
    verbose=True,
)

model.task.prompt.read_prompt(prompt)

model.train(examples=train_reviews, annotations=train_targets)

pred_targets = model.predict(test_reviews)
/opt/conda/lib/python3.10/site-packages/transformers/generation/utils.py:1270: UserWarning: You have modified the pretrained model configuration to control generation. This is a deprecated strategy to control generation and will be removed soon, in a future version. Please use a generation configuration file (see https://huggingface.co/docs/transformers/main_classes/text_generation )
  warnings.warn(


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

INPUT: Very strong cheap pleather smell that took a few days to air out. One of the straps clips onto the zipper, so be careful of the zipper slowly coming undone as you walk.
OUTPUT: neutral

INPUT: The 8 year old nephew said he wanted this for his birthday. I felt it was a bit much for a toy but he caught me on a good day. Come to find out it's a fragile collectible so the nephew lost all the small parts the moment he opened it. I guess it's adequate for collectors that want detail on such a small figurine.
OUTPUT: neutral

INPUT: It leaves white residue all over dishes! Gross!
OUTPUT: negative

INPUT: Really can't say because cat refused to try it. I gave it to someone else to try
OUTPUT: negative

INPUT: Wouldn’t keep air the first day of use!!!
OUTPUT: negative

INPUT: It keeps the litter box smelling nice.
OUTPUT:


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

INPUT: Easy to install, fits perfectly, and does a good job.
OUTPUT: positive

INPUT: Does not work mixed this with process solution and 000 and nothing. Looked exactly the same as i first put it on.
OUTPUT: negative

INPUT: This is a knock off product. This IS NOT a puddle jumper brand float but a flimsy knock off instead. It is missing all stearns and puddle jumper branding on the arms. Do not buy!
OUTPUT: negative

INPUT: Had to use washers even though the bolts were stock like beveled in appearance. 3 pulled through the skid, and there isn't any rust issues. I called daystar because i spent the money so i wouldn't have to use washers. They told me to use washers.
OUTPUT: neutral

INPUT: I have this installed under my spa cover to help maintain the heat. My spa is fully electric (including the heater), and this has done a good job reducing my overall electric bill by about 15% - 20% each month since last November. Quality is holding up fine, but it's out of the sun since it's under the spa cover. (Sorry, can't comment on what the longevity would be in the full sun.)
OUTPUT: positive

INPUT: Installed this on our boat and am very happy with the results. Great product!
OUTPUT:


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']
Token indices sequence length is longer than the specified maximum sequence length for this model (610 > 512). Running this sequence through the model will result in indexing errors


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

INPUT: I was very disappointed in this item. It is very soft and not chewy. It falls apart in your hand. My dog eats them but I prefer a more chewy treat for my dog.
OUTPUT: negative

INPUT: Just can't get use to the lack of taste with this ceylon cinnamon. I have to use so much to get any taste at all. This is the first ceylon I've tried so I can't compare. Just not impressed. I agree with some others that it taste more like red hot candy smells. Hope I can find some that has some flavor. I really don't want to go back to the other cinnamon that is bad for us.
OUTPUT: neutral

INPUT: I like everything about the pill box except its size. I take a lot of supplements and the dispenser is just too small to hold all the pills that I take.
OUTPUT: neutral

INPUT: They sent HyClean which is NOT for the US market therefore this is deceptive marketing
OUTPUT: negative

INPUT: The glitter gel flows, its super cute.
OUTPUT: positive

INPUT: It is really nice to have my favorite sugar alternative packaged in little take along packets! I LOVE swerve, and it is so convenient to have these to throw in my purse for dining out, or to use at a friend’s house. While they are a bit pricey, I cannot stand Equal or the pink stuff in my iced tea. Swerve or nothing, so i am thrilled to have my sweetener on the go!
OUTPUT:


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

INPUT: Easy to install, fits perfectly, and does a good job.
OUTPUT: positive

INPUT: Glass is extremely thin. Mine broke into a million shards. Very dangerous!
OUTPUT: neutral

INPUT: Easy to peel and stick. They don't fall off.
OUTPUT: positive

INPUT: Cheap material. Broke after a couple month of usage and I emailed the company about it and never got a response. There are much better phone cases out there so don't waste your time with this one.
OUTPUT: negative

INPUT: Cheap, don’t work. Very dim. Not worth the money.
OUTPUT: negative

INPUT: Easy to install, but very thin
OUTPUT:


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

INPUT: I like these storage bins overall. The color of the lining inside wasn’t expected, it shows a light brown color in the photo but it’s pretty dark. I would have preferred the lining inside to match the outside, tan or grey. Other than that they are cute and look as pictured.
OUTPUT: neutral

INPUT: I was very disappointed in this item. It is very soft and not chewy. It falls apart in your hand. My dog eats them but I prefer a more chewy treat for my dog.
OUTPUT: negative

INPUT: We bring the kid to Cape Cod this long weekend. The shelter is very helpful when we stay on the beach. Kid feel comfortable when she was in the shelter. It was cool inside of shelter especially if you put some water on the top of the shelter. It is also very easy to carry and set up. It is a good product with high quality.
OUTPUT: positive

INPUT: The 8 year old nephew said he wanted this for his birthday. I felt it was a bit much for a toy but he caught me on a good day. Come to find out it's a fragile collectible so the nephew lost all the small parts the moment he opened it. I guess it's adequate for collectors that want detail on such a small figurine.
OUTPUT: neutral

INPUT: I've been using this product with my laundry for a while now and I like it, but I had to return it because it wasn't packaged right and everything was damaged.
OUTPUT: negative

INPUT: It's an ok bin. I got it to use as a clothes hamper thinking it was more of a linen material, probably my mistake for not reading the description better but it's actually more like a plastic. Decided it would be better suited for my daughter's stuff animals. It's cute and serves a purpose and isn't all that expensive. Just not what I thought it would be when originally purchasing it.
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

INPUT: I did a lot of thinking as I read this book. I felt as though I could really picture what the main character was going through. The author did a great job describing the situations and events. I really rooted for the main character and felt her struggles. It seems as though she had to over come a lot to once again over come a lot. She had a group of interesting characters both supporting her and also ones who were against her. Not a plot to be predicted. I highly recommend this book. It grabbed my attention from the first page and had me thinking about it long after. I look forward to reading the author's next book.
OUTPUT: positive

INPUT: Very informative Halloween Recipes For Kids book. This book is just what I needed with great and delicious recipe ideas. I will make a gift for my mom on her birthday. Thanks, author!
OUTPUT: positive

INPUT: Excellent read!! I absolutely loved the book!! I’ve adopted 4 Siamese cats from Siri over the years and everyone of them were absolute loves. Once you start to read this book, it’s hard to put down. Funny, witty and very entertaining!! Siri has gone above and beyond in her efforts to rescue cats (mainly Siamese)!!
OUTPUT: positive

INPUT: Great beginning to vampire series. It is nice to have a background upon which a series is based. I look forward to reading this series
OUTPUT: positive

INPUT: The book is fabulous, but not in the condition i was lead to believe it was in. I thought i was buying a good used copy, what i got is torn cover and some kind of humidity damaged book. I give 5 stars for the book, 2 stars for the condition.
OUTPUT: neutral

INPUT: Interesting from the very beginning. Loved the characters, they really brought the book to life. Would like to read more by this author.
OUTPUT:


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

INPUT: Product was not to my liking seemed diluted to other brands I have used, will not buy again. Sorry
OUTPUT: negative

INPUT: Very poorly packaged. The glasses banged each other. Should have been bubble wrapped. So bummed that I can’t use these for a party tonight!
OUTPUT: negative

INPUT: Mango butter was extremely dry upon delivery.
OUTPUT: negative

INPUT: I was very disappointed in this item. It is very soft and not chewy. It falls apart in your hand. My dog eats them but I prefer a more chewy treat for my dog.
OUTPUT: negative

INPUT: The book is fabulous, but not in the condition i was lead to believe it was in. I thought i was buying a good used copy, what i got is torn cover and some kind of humidity damaged book. I give 5 stars for the book, 2 stars for the condition.
OUTPUT: neutral

INPUT: It was dried out when I opened package. Was very disappointed with this product.
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

INPUT: It worked for a week. My husband loved it. And then all of the sudden it won't charge or turn on. It just stopped working.
OUTPUT: negative

INPUT: I saw this and thought it would be good to store the myriad of batts that I have. You must know that this is made to hang on the wall. The lid does not lock down in any way it just hangs lose and bangs into the Size C batts. You can lay it flat but remember the lid does not in any way hold the batteries from falling out if you turn it to the side, Now for me the biggest disappointment is that there are no slots for the batteries that use the most, the CR 123 batts. I rate it just barely useful. I should have read more carefully the description. It is too much trouble to return it so I'll keep it and buy smaller cases with locking lids
OUTPUT: neutral

INPUT: Quality is just okay. Magnet on the back is strong and it's nice its detachable but the case around the phone isn't very protective and very flimsy. You get what you pay for.
OUTPUT: neutral

INPUT: Works very well. Easy to set alarms, and time. The snooze/backlight function is pretty neat too. The dim back light is also nice so that you can actually read the time in the dark.
OUTPUT: positive

INPUT: Works great, bought a 2nd one for my son's dog. I usually only put them on at night and it stopped the barking immediately. Battery lasted a month. Used a little duct tape to keep the collar at the right length.
OUTPUT: positive

INPUT: Works great and the picture is good, but it doesn't hold a battery long at all. I actually have to plug it in every night once I lay down or it won't stay charged.
OUTPUT:


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

INPUT: This is the second one of these that I have purchased. It is an excellent platform for a foam or conventional mattress. It is totally sturdy, and looks nice. I highly recommend it. There are many frames out there that will cost you much more, but this does the trick.
OUTPUT: positive

INPUT: These little lights are awesome. They put off a nice amount of light. And you can put them ANYWHERE! I have put one in the pantry. Another in my linen closet. Another one right next to my bed for when I get up in the middle of the night. Have only had them about a month but so far so good!
OUTPUT: positive

INPUT: I love the curls but the hair does shed a little; it has been a month; curls still looks good; I use mousse or leave in conditioner to keep curls looking shiny; hair does tangle
OUTPUT: neutral

INPUT: Whoever packed this does not care or has a lot to learn about dunnage.
OUTPUT: negative

INPUT: Love this coverup! It’s super thin and very boho!! Always getting compliments on it!
OUTPUT: positive

INPUT: Bought this item not even three months ago and am already starting to have problems. The steal slates to support the mattress (as advertised NO BOX SPRING NEEDED) does in fact need that extra layer of support. I am currently using about 7 blankets underneath my mattress for support. However my bed does stay in place, there is storage underneath like I needed and all around is a good product. But if you do plan on buying this item make sure you have the extra support for your mattress!!!
OUTPUT:


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

INPUT: Corner of magnet board was bent ... would like new one sent will not adhere to fridge on the corner
OUTPUT: neutral

INPUT: The description of this product indicated that it would have a cosmetic flaw only. This pendant is missing the socket. There is no place to put the light bulb.
OUTPUT: negative

INPUT: Bought this Feb 2019. Its already wore down and in need of replacement. I dont recommend one purchase this unless its jus for looks.
OUTPUT: negative

INPUT: After 5 months the changing rainbow light has stopped functioning. Still works as an oil diffuser at least. It was cheap so I guess that's what you get!
OUTPUT: neutral

INPUT: I thought it was much bigger, it's look like a new born baby ear ring.
OUTPUT: neutral

INPUT: Corner of pop socket is faded I would like a new one!
OUTPUT:


MODEL OUTPUT

 neutral


PARSE RESULT

 ['neutral']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

INPUT: My dog loves this toy, I haven't seen hear more thrill with any other toy, for the first three days, which is how long the squeaker lasted. She is not a heavy chewer, and in one of her "victory walks" after retrieving the ball, the squeaker was already gone. Apart from that it is my best investment
OUTPUT: neutral

INPUT: Very cheaply made, its not worth your money, ours came already broken and looks like it's been played with, retaped, resold.
OUTPUT: negative

INPUT: Maybe it's just my luck because this seems to happen to me with other products but the motor broke in 2 weeks. That was a bummer. I liked it for the 2 weeks though!
OUTPUT: neutral

INPUT: Works great, bought a 2nd one for my son's dog. I usually only put them on at night and it stopped the barking immediately. Battery lasted a month. Used a little duct tape to keep the collar at the right length.
OUTPUT: positive

INPUT: We bought it in hopes my son would stop sucking his thumb. He doesn't suck it when it's on but when it's off for eating, bathing, washing hands... he will still do it. We are now going to try the nail polish with bitter taste. This is a good idea, my son just needs something stronger to beat it.
OUTPUT: neutral

INPUT: After 5 minutes of supervised play, the motor started making high pitched terrible screeching noises. Don't buy unless you have a tiny, useless little rat of a dog. Wasted $18.00
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

INPUT: Works great, bought a 2nd one for my son's dog. I usually only put them on at night and it stopped the barking immediately. Battery lasted a month. Used a little duct tape to keep the collar at the right length.
OUTPUT: positive

INPUT: few cables not working, please reply what to do?
OUTPUT: neutral

INPUT: These are very fragile. I have a cat who is a bit rambunctious and sometimes knocks my phone off my nightstand while it's plugged in. He managed to break all of these the first or second time he did that. I'm sure they're fine if you're very careful with them, but if whatever you're charging falls off a table or nightstand while plugged in, these are very likely to stop working quickly.
OUTPUT: negative

INPUT: When I received this product, I took the tracker out of the package and plugged it in in order to charge it-it never turned on! I did that was suggested, but to no avail!
OUTPUT: negative

INPUT: My dog ,a super hyper Yorkie, wouldn't eat these. Didn't like the smell of them and probably didn't like the taste. I did manage to get them down him for 3 days to see if it would help him . The process of getting them down him was traumatic for him and me. They did not seem to have any effect on him one way or another , other than the fact that he didn't like them and didn't want to eat them. I ended up throwing them away. Money down the drain. Sorry, I can't recommend them.
OUTPUT: negative

INPUT: I had to return them. They said they worked to recharge dog bark collars, but neither cord plugged into different USB outlets charged the collar.
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

INPUT: ordered and never received it.
OUTPUT: negative

INPUT: To me this product just does not work. Decided to give this a try based on the great reviews this product has. I used it for about two weeks and just did not feel any extra energy nor anything else. Obviously the seller has a good system, maybe even a little scam going on, give me a 5 star review and we will send you a free one. Not saying this will happen to everyone, but these were my results. Happy shopping!
OUTPUT: negative

INPUT: I recieved a totally different product than I ordered (pictured) and I see that I cannot return it !?! I give them one star just because I'm tryin to be nice. I ordered these black hats for a christmas project that I am doin with my 5 yr old son for his classroom and now I'm afraid to even try to reorder them again in fear that I'll recieve another different product.
OUTPUT: negative

INPUT: Product was not to my liking seemed diluted to other brands I have used, will not buy again. Sorry
OUTPUT: negative

INPUT: I have never had a bad shipment of these and my yard is full of them, this last shipment has one strand that won't work at all and the other strand only works on flash, i'm definitely afraid to order any more of them.
OUTPUT: negative

INPUT: NEVER RECEIVE THIS PRODUCT EVEN AFTER CONTACTING THE SELLER MORE THAN ONCE
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

INPUT: The product did not work properly, after having it installed the check engine light came back on
OUTPUT: negative

INPUT: For the money, it's a good buy... but the fingerprint ID just doesn't work very good. After several attempts, it would not allow me to register my fingerprint. So... I just use the key to lock and unlock the safe, and that's not a problem. If you want something with the ability to open with your fingerprint, you'll need to spend a bit more, but if fingerprint id isn't something you absolutely need to have, then this safe is for you.
OUTPUT: neutral

INPUT: The packaging of this product was terrible. Just the device with no instructions in a box with no bubble wrap. Device rolling around in a box 3x’s it’s size. No order slip.
OUTPUT: neutral

INPUT: The battery covers screw stripped out the first day on both cars I purchased for Christmas.
OUTPUT: negative

INPUT: I ordered green but was sent grey. Bought it to secure outside plants/shrubs to wooden poles. Wrong color but I'll make it work.
OUTPUT: neutral

INPUT: I bought this from Liberty Imports and it was not secured in the packaging and did not work. I returned it for another one and with the same result. The second one had markings on the car that suggest it was used before.
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

INPUT: Picture was incredibly misleading. Shown as a large roll and figured the size would work for my project, then I received the size of a piece of paper.
OUTPUT: negative

INPUT: This door hanger is cute and all but its a bit small. My main complain is that, i cannot close my door because the bar latched to the door isnt flat enough.. Worst nightmare.
OUTPUT: negative

INPUT: The child hat is ridiculously small. It was not even close to the right size for my 3 year old son. I checked the size, and it wouldn't have even fit him as a newborn. I liked the adult hat but it is not sold separately. The seller was rude and unhelpful when I contacted them directly through Amazon. The faux fur pom was either already torn or tore when I was trying on the hat. See the attached photograph. The pom came aprt, exposing the inner fluff.
OUTPUT: negative

INPUT: It doesn’t stick to my car and it’s to big
OUTPUT: negative

INPUT: The graphics were not centered and placed more towards the handle than what the Amazon image shows. Only the person drinking can see the graphics. I will be returning the item.
OUTPUT: negative

INPUT: This Christmas window sticker receive very small, not look like the picture.z
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

INPUT: Just received it and so far so good. No issues, did a great job. For a family on a budget trying to waste as least food as possible, it is a great investment and it was very affordable too.
OUTPUT: positive

INPUT: They are so comfortable that I don't even know I am wearing them.
OUTPUT: positive

INPUT: These bowls are wonderful. And the only reason I didn't give them a 5 is because I ordered RED bowls and received ORANGE bowls.
OUTPUT: neutral

INPUT: They work really well for heartburn and stomach upset. But taking a couple stars off as capsules are poor quality and break. I lost over 30 in a bottle of 120 as they leaked. Powder ended up bottom of bottle.
OUTPUT: neutral

INPUT: Perfect size and good quality. Great for cupcakes
OUTPUT: positive

INPUT: I always meal prep so I got these for my lunchbox to take to work. Awesome value for the price and love that it comes with a carrier.
OUTPUT:


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

INPUT: I initially was impressed by the material quality of the headphones, but as I connected the headphones to listen to my song there was a problem. There is constantly this weird "old cable tv that has lost it's signal sound" in the background when trying to listen to anything. Pretty disappointed.
OUTPUT: neutral

INPUT: my expectations were low for a cheap scale. they were not met, scale doesnt work. popped the cover off the back to put a battery in and the wires were cut and damaged. wouldn't even turn on. sending it back. product is flimsy and cheap, spend 20 extra bucks on a better brand or scale.
OUTPUT: negative

INPUT: seems okay, weaker than i thought it be be and too tight
OUTPUT: neutral

INPUT: Quality was broken after 3rd use. I had a bad experience with this lost voice control.
OUTPUT: negative

INPUT: The filters arrived on time. The quality is as expected.
OUTPUT: positive

INPUT: The low volume is quite good just a little louder than expected but that’s okay
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

INPUT: These little lights are awesome. They put off a nice amount of light. And you can put them ANYWHERE! I have put one in the pantry. Another in my linen closet. Another one right next to my bed for when I get up in the middle of the night. Have only had them about a month but so far so good!
OUTPUT: positive

INPUT: For some reason, unit running led, was not blinking, so could not judge its working condition. Will review again, when it becomes fully operational.
OUTPUT: neutral

INPUT: Cheap, don’t work. Very dim. Not worth the money.
OUTPUT: negative

INPUT: I have never had a bad shipment of these and my yard is full of them, this last shipment has one strand that won't work at all and the other strand only works on flash, i'm definitely afraid to order any more of them.
OUTPUT: negative

INPUT: Good Quality pendant and necklace, but gems are a little lacking in color.
OUTPUT: neutral

INPUT: Lights are not very bright
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

INPUT: Looks good. Clasp some times does not lock completely and the watch falls off. One time it fell off and the back cover popped off. I do get lots of compliments of color combination.
OUTPUT: neutral

INPUT: These make it really easy to use your small keyboard on your phone. Would recommend to everyone.
OUTPUT: positive

INPUT: So far my daughter loves it. She uses it for school backpack. As far as durable, we just got it, so we will have to see.
OUTPUT: positive

INPUT: I like these storage bins overall. The color of the lining inside wasn’t expected, it shows a light brown color in the photo but it’s pretty dark. I would have preferred the lining inside to match the outside, tan or grey. Other than that they are cute and look as pictured.
OUTPUT: neutral

INPUT: Comfortable and worth the purchase
OUTPUT: positive

INPUT: Perfect color and really cool lighted keyboard, but it dents really easily just being in a backpack as we've only used it like 2 weeks and it's already dented. No instructions given to set up bluetooth or change lighted keyboard options or brightness. Had to look up how to do such using previous customer reviews (from their calls to customer service). Expected it to be more durable for a forty-five dollar+ case. Disappointed it dents so easily.
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

INPUT: The piano is great starters! It finds your child’s inner artistic ability and musical talent. It develops a good hand-eye coordination. The piano isn’t only a play toy, but it actually works and allows your child to play music at an early age. If you want your child to be a future pianist, you should try this product out! Very worth the money!
OUTPUT: positive

INPUT: Lots of lines, not easy to color. Definitely not for kids or elderly .
OUTPUT: neutral

INPUT: This is a well made device, much higher quality than the three previous cat feeders we've tried. The iOS app works well although the design is a little confusing at first. The portion control is good and the feeder mechanism has worked reliably. The camera provides a clear picture and it's great to be able to check remotely that the cat really is getting fed. Setup was relatively easy.
OUTPUT: positive

INPUT: She loved very much as a birthday gift and also said it will come in handy for all kinds of outings.
OUTPUT: positive

INPUT: I really love this product. I love how big it is compare to others diaper changing pads. I love the extra pockets and on top of that you get a free insulated bottle bag. All of that for an amazing price.
OUTPUT: positive

INPUT: We have enjoyed this tray. It lets my sons color and play with their small cars/construction vehicles while in the car. It also allows them to color and keep busy. It has a cup holder that is easier for my 2 1/2 year old to reach than the one that comes with his car seat. Easy to install and also take off when not in use.
OUTPUT:


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

INPUT: I don’t like it because i ordered twice they sent me the one expired. No good .I don’t want to buy anymore.
OUTPUT: negative

INPUT: They work really well for heartburn and stomach upset. But taking a couple stars off as capsules are poor quality and break. I lost over 30 in a bottle of 120 as they leaked. Powder ended up bottom of bottle.
OUTPUT: neutral

INPUT: Works as it says it will!
OUTPUT: positive

INPUT: I give this product zero stars. The bottle appears very old as if it has been sitting on a shelf in the sun. The expiration date is May 2020.
OUTPUT: negative

INPUT: this item and the replacement were both 6 weeks past the expiration date
OUTPUT: negative

INPUT: Works good; Never mind expire date, those are contrived.
OUTPUT:


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

INPUT: Made a money gift fun for all
OUTPUT: positive

INPUT: Expensive for a kids soap
OUTPUT: neutral

INPUT: It will do the job of holding shoes. It's not glamorous, but it holds shoes and stands in a closet. You will need help with the shelving assembly as it is a two person job.
OUTPUT: neutral

INPUT: Just doesn't get hot enough for my liking. Its stashed away in the drawer.
OUTPUT: neutral

INPUT: The one star is for UPS. I wish I had been home when delivery was made because I would have refused it. I have initiated return procedures, so hopefully when seller gets this mess back I will receive my $60 in a timely manner.
OUTPUT: negative

INPUT: Just like you would get at the dollar store.
OUTPUT:


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

INPUT: Product was not to my liking seemed diluted to other brands I have used, will not buy again. Sorry
OUTPUT: negative

INPUT: Quality is just okay. Magnet on the back is strong and it's nice its detachable but the case around the phone isn't very protective and very flimsy. You get what you pay for.
OUTPUT: neutral

INPUT: I am returning product, I’ve been getting the same Wella Brilliance shampoo for years...the darker and cheaper one circled, and the last Two deliveries were the lighter bottle which smells nothing like the product I want and have been using for nearly 10 years. Extremely dissatisfied, why would they have two products and two prices and send the one you DONT PICK????
OUTPUT: negative

INPUT: Good quality of figurine features
OUTPUT: positive

INPUT: cheap and waste of money
OUTPUT: negative

INPUT: Product is of lower quality
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

INPUT: very cute style and design, but tarnished after 1 wear!
OUTPUT: neutral

INPUT: Hair is perfect for low temp curling but not realistic. This is a tiny head from the movie Beatle juice . Not for advanced cutting class
OUTPUT: neutral

INPUT: As a hard shell jacket, it’s pretty good. I ordered the extra large for a skiing trip. It comes small so order a size bigger then normal. I can not use the fleece liner because it is too small. The hard shell is not water proof. I live in the Pacific Northwest and this is not enough to keep you dry. I really like the look of this jacket too.
OUTPUT: neutral

INPUT: Very good price for a nice quality bracelet. My sister loved her birthday present! She wears it everyday.
OUTPUT: positive

INPUT: Perfect brush, small radius, and good quality.
OUTPUT: positive

INPUT: Very Pretty, but doesn't stand out well without a solid base coat. Great for little girls who want unicorn/fairy nails and when you don't want a bright color.
OUTPUT:


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

INPUT: Range is not too great
OUTPUT: neutral

INPUT: This door hanger is cute and all but its a bit small. My main complain is that, i cannot close my door because the bar latched to the door isnt flat enough.. Worst nightmare.
OUTPUT: negative

INPUT: I purchased this for my wife in October, 2017. At the time, we were in the middle of relocating and living in a hotel. I couldn't get this scale to connect to the Wifi in the hotel. I decided to wait until we moved into our home and I could set up my own Wifi system. March 2018- I have set up my Wifi system and this scale still won't connect. Every time I try, I get the error message. Even when I am 10' away from the Wifi unit. I followed the YouTube setup video with no success. When I purchased the unit, I thought it would connect directly to my wife's phone (like Bluetooth). Instead, this scale uses the Wifi router to communicate to the phone. This system is limited to the router connection...which is usually not close to the bedroom unlike a cell phone! I wouldn't recommend this scale to anyone because of the Wifi connection. Instead, please look at systems that use Bluetooth for communication. I am replacing this with a Bluetooth connection scale.
OUTPUT: negative

INPUT: These are awesome! I just used them on my 12 ft Christmas tree so I could get it out the door. So easy to use that I’m going to buy another pair.
OUTPUT: positive

INPUT: This product worked just as designed and was very easy to install.The setup is so simple for each load on the trailer.I would def recommend this item for anyone needing a break controller.
OUTPUT: positive

INPUT: The range is terrible on these units. I have to pull all the way into the driveway before it will activate the door. We do like the size and that they are keychains.
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

INPUT: ordered and never received it.
OUTPUT: negative

INPUT: Received this file box last night, and begin to put my documents in as soon as I received it. It is very good for me as my husband and I get a lot paperwork to save. The colorful tags make it easier to find what I want. The material is strong. I finally get something to help with the messy drawer! Love this product! I believe I will buy another one when this one is full!
OUTPUT: positive

INPUT: I recieved a totally different product than I ordered (pictured) and I see that I cannot return it !?! I give them one star just because I'm tryin to be nice. I ordered these black hats for a christmas project that I am doin with my 5 yr old son for his classroom and now I'm afraid to even try to reorder them again in fear that I'll recieve another different product.
OUTPUT: negative

INPUT: DON'T!!! Mine stopped playing 3 days after return deadline ended.
OUTPUT: negative

INPUT: We return the batteries and never revive a refund
OUTPUT: negative

INPUT: Never got mine in the mail now that I’m seeing this! Wow. I’d like a full refund !
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

INPUT: I like this swim suit but it fits really small. I am a size 14 and per reviews that's what I ordered. It runs really small. Also a lot of mesh in the back and on the sides of this suit. Don't like that. its going back....sad
OUTPUT: negative

INPUT: I really love this product. I love how big it is compare to others diaper changing pads. I love the extra pockets and on top of that you get a free insulated bottle bag. All of that for an amazing price.
OUTPUT: positive

INPUT: So cute! And fit my son perfect so I’m not sure about an adult but probably would stretch.
OUTPUT: positive

INPUT: Really cute outfit and fit well. But, the two bows fell off the top the first time worn. The bows were glued on opposed to sewn.
OUTPUT: neutral

INPUT: Terrific fabric and fit through belly, hips and thighs, but apparently these should be worn with 3" heels, which is ridiculous for exercise/loungewear. (Yes I'm being sarcastic.) Seriously: these were at least 4" too long to be comfortable (let alone safe to walk in). Back they go, and I won't try again.
OUTPUT: neutral

INPUT: Somehow a $30 swimsuit off of Amazon is super cute and fits great! I just had a baby and my boobs are huge, but this covered me and I felt super supported in it. It’s a great suit!
OUTPUT:


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

INPUT: Love this coverup! It’s super thin and very boho!! Always getting compliments on it!
OUTPUT: positive

INPUT: asian size is too small
OUTPUT: neutral

INPUT: Warped. Does not sit flat on desk.
OUTPUT: negative

INPUT: I was very disappointed in this item. It is very soft and not chewy. It falls apart in your hand. My dog eats them but I prefer a more chewy treat for my dog.
OUTPUT: negative

INPUT: BEST NO SHOW SOCK EVER! Period, soft, NEVER slips, and is a slightly thick sock. Not to thick though, perfect for running shoes too!
OUTPUT: positive

INPUT: Really, really thin.
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

INPUT: Just doesn't get hot enough for my liking. Its stashed away in the drawer.
OUTPUT: neutral

INPUT: Ordered these for a friend and he loved them!
OUTPUT: positive

INPUT: I have bought these cloths in the past, but never from Amazon. In contrast to previous purchases, these cloths do not absorb properly after the first wash. After washing they feel more like 'napkins'... very disappointed.
OUTPUT: negative

INPUT: My dog ,a super hyper Yorkie, wouldn't eat these. Didn't like the smell of them and probably didn't like the taste. I did manage to get them down him for 3 days to see if it would help him . The process of getting them down him was traumatic for him and me. They did not seem to have any effect on him one way or another , other than the fact that he didn't like them and didn't want to eat them. I ended up throwing them away. Money down the drain. Sorry, I can't recommend them.
OUTPUT: negative

INPUT: I can't wear these all day. Snug around the toes.
OUTPUT: neutral

INPUT: I use to get these all the time. I missed them till I found them here. Do not like hot. These are perfect.
OUTPUT:


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

INPUT: This was very easy to use and the cookies turned out great for the Boy Scout Ceremony!
OUTPUT: positive

INPUT: Too big and awkward for your counter
OUTPUT: negative

INPUT: The one star is for UPS. I wish I had been home when delivery was made because I would have refused it. I have initiated return procedures, so hopefully when seller gets this mess back I will receive my $60 in a timely manner.
OUTPUT: negative

INPUT: They sent HyClean which is NOT for the US market therefore this is deceptive marketing
OUTPUT: negative

INPUT: Ordered these for my daughter as a Christmas present. When she opened the case 3 of the markers did not have the caps on and were completely dried out. She was very disappointed. She then starting testing all of them on a piece of paper, several of them began to run out of ink very quickly. Not happy with this product, tried to return, however these markets are an unreturnable item.
OUTPUT: negative

INPUT: Since the banks have or are doing away with coin counting machines, this is the next best thing. I can watch TV and get the coins wrapped in no time.
OUTPUT:


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

INPUT: Upsetting...these only work if you have a thin phone and or no phone case at all. I'm not going to take my phone's case (which isn't thick) off Everytime I want to use the stand. Wast of money. Don't buy if you use a phone case to protect your phone it's too thin.
OUTPUT: negative

INPUT: I found this stable and very helpful to get things off the floor, as well as to be able to store below and on top of. Nice that it's adjustable.
OUTPUT: positive

INPUT: Perfect, came with everything needed. God quality and fit perfectly. Much less then original brand.
OUTPUT: positive

INPUT: Needs a longer handle but that's my only complaint. Otherwise works well.
OUTPUT: neutral

INPUT: Works as it says it will!
OUTPUT: positive

INPUT: Does the job, but wish I had ordered the stand
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

INPUT: It will not turn on. It was a gift and the person called and said it does not work. It won't turn on. I would like to send back and get either another or my money back.
OUTPUT: negative

INPUT: It didn’t work at all. All the wax got stuck at the top and would never flow.
OUTPUT: negative

INPUT: One half stopped working after month of use
OUTPUT: negative

INPUT: To me this product just does not work. Decided to give this a try based on the great reviews this product has. I used it for about two weeks and just did not feel any extra energy nor anything else. Obviously the seller has a good system, maybe even a little scam going on, give me a 5 star review and we will send you a free one. Not saying this will happen to everyone, but these were my results. Happy shopping!
OUTPUT: negative

INPUT: For some reason, unit running led, was not blinking, so could not judge its working condition. Will review again, when it becomes fully operational.
OUTPUT: neutral

INPUT: On first use it didn't heat up and now it doesn't work at all
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

INPUT: It arrived broken. Not packaged correctly.
OUTPUT: negative

INPUT: This is at least the 4th hose I've tried. I had high hopes, but the metal parts are cheap and it leaks from the connector. The "fabric??" of the hose retains water and stays wet for hours or days depending on how hot - or not - the weather is. I do not recommend this product.
OUTPUT: negative

INPUT: It didn’t work at all. All the wax got stuck at the top and would never flow.
OUTPUT: negative

INPUT: Maybe it's just my luck because this seems to happen to me with other products but the motor broke in 2 weeks. That was a bummer. I liked it for the 2 weeks though!
OUTPUT: neutral

INPUT: It will not turn on. It was a gift and the person called and said it does not work. It won't turn on. I would like to send back and get either another or my money back.
OUTPUT: negative

INPUT: The nozzle broke after a week and I reached out to the seller but got no response
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

INPUT: For the money, it's a good buy... but the fingerprint ID just doesn't work very good. After several attempts, it would not allow me to register my fingerprint. So... I just use the key to lock and unlock the safe, and that's not a problem. If you want something with the ability to open with your fingerprint, you'll need to spend a bit more, but if fingerprint id isn't something you absolutely need to have, then this safe is for you.
OUTPUT: neutral

INPUT: They were supposed to be “universal” but did not cover the whole seat of a Dodge Ram 97
OUTPUT: negative

INPUT: Great ideas in one device. One of those devices you pray you’ll never need, but I’m pretty sure are up for the task.
OUTPUT: positive

INPUT: I look fabulous with this glasses on, totally worth it! :D
OUTPUT: positive

INPUT: Not worth your time. PASS.
OUTPUT: negative

INPUT: Much better than driving with no indication that you are a student driver. Maybe in the next set you can include "new driver" for when people graduate out of being a student driver. (for use after you pass the road test, etc.)
OUTPUT:


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

INPUT: Much smaller than what I expected. The quality was not that great the paper in the lower end of the cup was ruined after first wash with the kids.
OUTPUT: neutral

INPUT: These make it really easy to use your small keyboard on your phone. Would recommend to everyone.
OUTPUT: positive

INPUT: Holy Crap what a Cliffy! Loved this book from beginning to end and is my absolute favorite so far! Can’t wait for book 4!
OUTPUT: positive

INPUT: Just received in mail, I think I received a used one as it had writing in the first 3 pages. And someone else's name... Otherwise seems like pretty good quality
OUTPUT: neutral

INPUT: Please do not buy this! I was so excited and I got one for me and my co worker because we freeze in our offices. It's so small and barely even heats up. One of them didn't even work at all!
OUTPUT: negative

INPUT: Much smaller than anticipated. More like a notepad size than a book.
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

INPUT: My cats went CRAZY over this!
OUTPUT: positive

INPUT: Horrible after taste. I can imagine "Pine Sol Cleaning liquid" tasting like this. Very strange. It's a NO for me.
OUTPUT: negative

INPUT: I was very disappointed in this item. It is very soft and not chewy. It falls apart in your hand. My dog eats them but I prefer a more chewy treat for my dog.
OUTPUT: negative

INPUT: Can’t get ice all the way around the bowl. Only on the bottom, so it didn’t keep my food as cold as I would have liked.
OUTPUT: neutral

INPUT: Just received it and so far so good. No issues, did a great job. For a family on a budget trying to waste as least food as possible, it is a great investment and it was very affordable too.
OUTPUT: positive

INPUT: My cats have no problem eating this . I put it in their food .
OUTPUT:


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

INPUT: I never received my item that I bought and it’s saying it was delivered.
OUTPUT: negative

INPUT: These monitors arrived fairly quickly and they're a great deal but the packages were in ridiculous condition. Big boot footprints were on two boxes, a big hole in another and all of them were crushed pretty good. I haven't opened and setup the monitors yet but I'll be surprised if some aren't damaged. Probably need a new shipping company or contact them about the shape some of those are in.
OUTPUT: neutral

INPUT: Absolutely terrible. I ordered these expecting a quality product for 10 dollars. They were shipped in an envelope inside of another envelope all just banging against each other while on their way to me from the seller. 3 of them are broken internally, they make a rattle noise as the ones that work do not. I will be requesting a refund for these and filing a complaint with Amazon. Don't purchase unless you like to buy broken/damaged goods. Completely worthless.
OUTPUT: negative

INPUT: Stop using Amazon Delivery Drivers, they are incompetent and continually damage packages
OUTPUT: negative

INPUT: The packaging of this product was terrible. Just the device with no instructions in a box with no bubble wrap. Device rolling around in a box 3x’s it’s size. No order slip.
OUTPUT: neutral

INPUT: Amazon never deliver the items. Horrible customer service. Considering new purchase choices.
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

INPUT: Good deal for a good price
OUTPUT: positive

INPUT: Great product! No complaints!
OUTPUT: positive

INPUT: Very cheaply made, its not worth your money, ours came already broken and looks like it's been played with, retaped, resold.
OUTPUT: negative

INPUT: Perfect, came with everything needed. God quality and fit perfectly. Much less then original brand.
OUTPUT: positive

INPUT: Solid value for the money. I’ve yet to have a problem with the first pair I bought. Buying a second for my second box.
OUTPUT: positive

INPUT: Great price. Good quality.
OUTPUT:


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

INPUT: I dislike this product it didnt hold water came smash in a bag and i just thow it in the trash
OUTPUT: negative

INPUT: Horrible after taste. I can imagine "Pine Sol Cleaning liquid" tasting like this. Very strange. It's a NO for me.
OUTPUT: negative

INPUT: It didn’t work at all. All the wax got stuck at the top and would never flow.
OUTPUT: negative

INPUT: Glass is extremely thin. Mine broke into a million shards. Very dangerous!
OUTPUT: neutral

INPUT: Ordered two identical rolls. One arrived with the vacuum bag having a large hole poked in the center - almost the size of the center hub hole. Since the roll arrives in a product box the hole either occurred before boxing at the manufacturer or I received a return. The seller responded promptly and asked for photos, which I provided. Then they asked if there was anything wrong with the product. Huh? I replied it has some issues (likely moisture related). Then they asked for details of issues. Huh? Well, I've had enough of providing them details of the damaged/defective product.
OUTPUT: neutral

INPUT: Seal was already broken when I opened the container and it looked like someone had used it.
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

INPUT: Its good for the loose skin postpartum. I'm gonna use it for another waist trainer. Not tight enough.
OUTPUT: neutral

INPUT: Clasps broke off after having for only a few months 😢
OUTPUT: negative

INPUT: So cute! And fit my son perfect so I’m not sure about an adult but probably would stretch.
OUTPUT: positive

INPUT: I really love this product. I love how big it is compare to others diaper changing pads. I love the extra pockets and on top of that you get a free insulated bottle bag. All of that for an amazing price.
OUTPUT: positive

INPUT: You want an HONEST answer? I just returned from UPS where I returned the FARCE of an earring set to Amazon. It did NOT look like what I saw on Amazon. Only a baby would be able to wear the size of the earring. They were SO small. the size of a pin head I at first thought Amazon had forgotten to enclose them in the bag! I didn't bother to take them out of the bag and you can have them back. Will NEVER order another thing from your company. A disgrace. Honest enough for you? Grandma
OUTPUT: negative

INPUT: This item is terrible for pregnant woman! Poorly designed! Poor quality! The straps just keep popping off and it’s even big on me. When I adjust it nothing changes. Do not buy.
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

INPUT: Good deal for a good price
OUTPUT: positive

INPUT: Just received it and so far so good. No issues, did a great job. For a family on a budget trying to waste as least food as possible, it is a great investment and it was very affordable too.
OUTPUT: positive

INPUT: Perfect brush, small radius, and good quality.
OUTPUT: positive

INPUT: Easy to install, fits perfectly, and does a good job.
OUTPUT: positive

INPUT: the quality is okay. i would give 3 start rating for this.
OUTPUT: neutral

INPUT: Good quality and price.
OUTPUT:


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

INPUT: Works as it says it will!
OUTPUT: positive

INPUT: I don't like anything about it and I don't like that it is not able to be returned. JUNK!
OUTPUT: negative

INPUT: Works very well. Easy to set alarms, and time. The snooze/backlight function is pretty neat too. The dim back light is also nice so that you can actually read the time in the dark.
OUTPUT: positive

INPUT: I was totally looking forward to using this because I tried the original solution and it was great but it burned my skin because I have sensitive skin but this one Burns and makes my make up look like crap I wouldn’t recommend it at all don’t waste your money
OUTPUT: negative

INPUT: To me this product just does not work. Decided to give this a try based on the great reviews this product has. I used it for about two weeks and just did not feel any extra energy nor anything else. Obviously the seller has a good system, maybe even a little scam going on, give me a 5 star review and we will send you a free one. Not saying this will happen to everyone, but these were my results. Happy shopping!
OUTPUT: negative

INPUT: Does what it says, works great.
OUTPUT:


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

INPUT: I like this product, make me feel comfortable. I can use it convenient. The price is very cheap.
OUTPUT: positive

INPUT: Quality made from a family business. Sometimes a challenge to move around due to the chew toys hanging off but gives our puppy something to knaw on throughout the night. 5 month update: Our dog doesn't destroy many toys but since he truly loves this one he has ripped off the head, the tail rope, torn a few corner rope rings, put teeth marks in the internal foam and now ripped the underside of the cover. I'm giving this 4 stars still due to the simple fact that he LOVES this thing. Purchased right before they sold out, maybe the new model is more durable. Update with new model: The newer model has some areas where design has decreased in quality. The "tail" rope is not attached nearly as well as the first one. However, so far nothing has been ripped off of it in the 3 weeks since we have received it. He still loves it though!
OUTPUT: neutral

INPUT: The glitter gel flows, its super cute.
OUTPUT: positive

INPUT: Fantastic belt ,love it . This is my second one , the first one was a little small but this one is perfect. I suggest you order one size bigger than your waist size.
OUTPUT: negative

INPUT: I like everything about the pill box except its size. I take a lot of supplements and the dispenser is just too small to hold all the pills that I take.
OUTPUT: neutral

INPUT: Definitely not what I expected! Now to say this I usually use the Doc Johnson Seven Wonders vibrator which is awesome I think they stop making it so I had to find an alternative so I found this one the price was decent read the reviews you know looked at everybody else reviews and base it off of that so hey I ordered okay so I had it for a few weeks now wanted to give an honest review and honestly... I hate it I think it's more or less the design of the applicator I don't really like the fatness of it I really like to sleep slim ones that to me they really stimulate your clit a whole lot better but hey that's just my opinion I went by it again that we looking for alternative hope this helps anybody on the quest to find a good bullet LOL LOL
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

INPUT: I like this product, make me feel comfortable. I can use it convenient. The price is very cheap.
OUTPUT: positive

INPUT: So small can't even see it in my garage i though was a lil bigger
OUTPUT: negative

INPUT: Works as it says it will!
OUTPUT: positive

INPUT: Please do not buy this! I was so excited and I got one for me and my co worker because we freeze in our offices. It's so small and barely even heats up. One of them didn't even work at all!
OUTPUT: negative

INPUT: The item ordered came exactly as advertised. I highly recommend this vendor and would order from them again.
OUTPUT: positive

INPUT: This item is smaller than I thought it would be but it works great!
OUTPUT:


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

INPUT: Chair is really good for price! I have 6 children so I was looking for something not to expensive but good, this chair is really good comparing with others and good prices
OUTPUT: positive

INPUT: Great hold and strength on the magnet. Can be easily maneuvered to fit your needs for holding curtains back.
OUTPUT: positive

INPUT: Overall it’s a nice bed frame but it comes with scratches all over the frame. It comes with a building kit (kind of like an IKEA building kit) so it takes a while
OUTPUT: neutral

INPUT: great throw for high end sofa, and works with any style even contemporary sleek sectionals
OUTPUT: positive

INPUT: I would love to give this product 5 star but unfortunately it just doesn’t cut due to quality. I bought them only (and only) for my toddlers snacks. And for that purpose they work great. I would probably use them in other situations as well if they were all the same. And yes I understand, if they are hand carved from one piece of wood, there could be slight difference, but that’s where product quality control comes in. I guess they just didn’t want any faulty products and decided to sell them all no matter what.
OUTPUT: neutral

INPUT: The furniture is a bit smaller and lighter than what I was expecting, but for the price it does the job. I probably will do a bit more research for future outdoor furniture buying, but for now this set is good enough.
OUTPUT:


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

INPUT: FIRE HAZARD DO NOT PURCHASE. Used once as instructed wires melted and caught fire!!!
OUTPUT: negative

INPUT: Does not work mixed this with process solution and 000 and nothing. Looked exactly the same as i first put it on.
OUTPUT: negative

INPUT: The iron works good, but its very small, almost delicate. The insulation parts on the tip were plastic not ceramic. Came with the plug that's a bonus. But it took quite a bit longer then most things on amazon to ship. I use it for soldering race drones, i ordered the smaller tip, and its actually to small for all but my micro drones. Had to order another tip. Gets hot pretty quick. Apparently this is a firmware upgrade you can do to make it better, but i didn't have to use it.
OUTPUT: neutral

INPUT: Ummmm, buy a hard side for your expensive wreath. It is too thin to protect mine.
OUTPUT: neutral

INPUT: The picture shows the fuel canister with the mosquito repeller attached so I assumed it would be included. However, when I opened the package I discovered there was no fuel. Since it is not included, the picture should be removed. If someone orders this and expects to use it immediately, like I did, they will be very disappointed.
OUTPUT: negative

INPUT: Worked with the torch. Blue flame. It burned hot enough to destroy aluminum foil
OUTPUT:


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

INPUT: Looks good. Clasp some times does not lock completely and the watch falls off. One time it fell off and the back cover popped off. I do get lots of compliments of color combination.
OUTPUT: neutral

INPUT: One half stopped working after month of use
OUTPUT: negative

INPUT: Downloaded the app after disconnecting my cable provider to watch shows that I enjoy and to see any of them you have to sign in thru your cable provider. Really disappointed!!
OUTPUT: negative

INPUT: I did not receive the Fitbit Charge HR that I ordered, I got a Fitbit FLEX ,,, and I am very upset and do NOT like not receiving what I ordered
OUTPUT: negative

INPUT: Bought this just about 6 months agi and is already broken. Just does not charge the computer and is as good as stone. Would not recommend this and instead buy the original from he Mac store. This product is not worth the price.
OUTPUT: negative

INPUT: This watch was purchased in mid-June. Not even 2 months later it's losing 45 minutes every 4 hours. The indicator boasts a "full charge" but still, losing >10 minutes every hour - faulty. Amazon's customer service was A COMPLETE JOKE. I was on the line for over ten minutes (probably longer but my watch runs slow), and got nowhere. Out of warranty.
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

INPUT: It arrived broken. Not packaged correctly.
OUTPUT: negative

INPUT: Ordered two identical rolls. One arrived with the vacuum bag having a large hole poked in the center - almost the size of the center hub hole. Since the roll arrives in a product box the hole either occurred before boxing at the manufacturer or I received a return. The seller responded promptly and asked for photos, which I provided. Then they asked if there was anything wrong with the product. Huh? I replied it has some issues (likely moisture related). Then they asked for details of issues. Huh? Well, I've had enough of providing them details of the damaged/defective product.
OUTPUT: neutral

INPUT: It's only been a few weeks and it looks moldy & horrible. I bought from the manufacturer last year and had no problems.
OUTPUT: negative

INPUT: I recieved a totally different product than I ordered (pictured) and I see that I cannot return it !?! I give them one star just because I'm tryin to be nice. I ordered these black hats for a christmas project that I am doin with my 5 yr old son for his classroom and now I'm afraid to even try to reorder them again in fear that I'll recieve another different product.
OUTPUT: negative

INPUT: I would buy it again. Just as a treat, was a nice little side dish pack for nights when me or my husband didn't want to cook.
OUTPUT: neutral

INPUT: The outer packing was rotten by the time it arrived and it can not be returned.
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

INPUT: I ordered two pairs of these shorts and was sent completely wrong sizes. I have both pairs same item ordered and the shorts are completely different sizes but are labeled the same size. One pair is 4 inches longer than the other.
OUTPUT: negative

INPUT: I washed it and it lost much of its plush feel and color.
OUTPUT: neutral

INPUT: They are huge!! Want too big for me.
OUTPUT: neutral

INPUT: I like this swim suit but it fits really small. I am a size 14 and per reviews that's what I ordered. It runs really small. Also a lot of mesh in the back and on the sides of this suit. Don't like that. its going back....sad
OUTPUT: negative

INPUT: I have bought these cloths in the past, but never from Amazon. In contrast to previous purchases, these cloths do not absorb properly after the first wash. After washing they feel more like 'napkins'... very disappointed.
OUTPUT: negative

INPUT: When I washed them they shrunk I order a bigger size because I knew they would shrink a little but they shrunk to much
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

INPUT: past is not enough strong
OUTPUT: negative

INPUT: Apparently 2 Billion is not very many in the world of probiotics
OUTPUT: neutral

INPUT: Waste of money!! Don’t buy this product. just helping community. I trusted reviews about that but all wrong
OUTPUT: negative

INPUT: Not a credible or tasteful twist at the end of the book
OUTPUT: neutral

INPUT: My cats went CRAZY over this!
OUTPUT: positive

INPUT: not what i exspected!
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

INPUT: Good but arrived melted because of heat even though it had been boxed with ice pack which was melted!
OUTPUT: neutral

INPUT: These monitors arrived fairly quickly and they're a great deal but the packages were in ridiculous condition. Big boot footprints were on two boxes, a big hole in another and all of them were crushed pretty good. I haven't opened and setup the monitors yet but I'll be surprised if some aren't damaged. Probably need a new shipping company or contact them about the shape some of those are in.
OUTPUT: neutral

INPUT: Very poorly packaged. The glasses banged each other. Should have been bubble wrapped. So bummed that I can’t use these for a party tonight!
OUTPUT: negative

INPUT: Mango butter was extremely dry upon delivery.
OUTPUT: negative

INPUT: DISAPPOINTED! Owl arrived missing stone for the right eye. Supposed to be a gift.
OUTPUT: neutral

INPUT: Arrived frozen solid. Been in the house for 2 hours and still frozen. Brought into house 7 min after delivered. Probably ruined. Suspect package was in delivery vehicle overnight. Waste of money.
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

INPUT: I would love to give this product 5 star but unfortunately it just doesn’t cut due to quality. I bought them only (and only) for my toddlers snacks. And for that purpose they work great. I would probably use them in other situations as well if they were all the same. And yes I understand, if they are hand carved from one piece of wood, there could be slight difference, but that’s where product quality control comes in. I guess they just didn’t want any faulty products and decided to sell them all no matter what.
OUTPUT: neutral

INPUT: I never bought this product so why the hell isn't showing up in my order history
OUTPUT: negative

INPUT: Very cheaply made, do not think this is quality stainless steel. The leafs of the steamer were sticking together and not opening smoothly. Poor quality in comparison to the Pyrex brand I had for 15 years. Returned.
OUTPUT: negative

INPUT: The width and the depth were opposite of what it said, so they did not fit my cabinet.
OUTPUT: negative

INPUT: I ordered green but was sent grey. Bought it to secure outside plants/shrubs to wooden poles. Wrong color but I'll make it work.
OUTPUT: neutral

INPUT: I’m very upset I ordered the knife set for the black holder and ended up with a wooden one. I wish that information was disclosed I would have gone with a different knife set. I wanted it to match my kitchen.
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

INPUT: Very drying on my hair .
OUTPUT: negative

INPUT: Easy to clean. Great length for my toddler!
OUTPUT: positive

INPUT: I have bought these cloths in the past, but never from Amazon. In contrast to previous purchases, these cloths do not absorb properly after the first wash. After washing they feel more like 'napkins'... very disappointed.
OUTPUT: negative

INPUT: Had to use washers even though the bolts were stock like beveled in appearance. 3 pulled through the skid, and there isn't any rust issues. I called daystar because i spent the money so i wouldn't have to use washers. They told me to use washers.
OUTPUT: neutral

INPUT: It leaves white residue all over dishes! Gross!
OUTPUT: negative

INPUT: washes out very quickly
OUTPUT:


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

INPUT: The book is fabulous, but not in the condition i was lead to believe it was in. I thought i was buying a good used copy, what i got is torn cover and some kind of humidity damaged book. I give 5 stars for the book, 2 stars for the condition.
OUTPUT: neutral

INPUT: This is a very helpful book. Easy to understand and follow. Much rather follow these steps than take prescription meds. There used to be an app that worked as a daily checklist from the books suggestions, but now I cannot find the app anymore. Hope it comes back or gets updated.
OUTPUT: positive

INPUT: These notebooks really keep me on track, love them!
OUTPUT: positive

INPUT: Whoever packed this does not care or has a lot to learn about dunnage.
OUTPUT: negative

INPUT: The book is very informative, with great tips and tricks about how to travel as well as what the locations are about which is both it's good and bad aspect. It gives so much interesting context, it may be overly insightful. For the person who must know everything, this is great. For the person who has no idea. Googling will suffice.
OUTPUT: neutral

INPUT: I bought this book and the McGraw hill book and I really liked the Smart Edition book better. The answer explanations were more detailed and I actually found quite a few errors in the McGraw hill book, I stopped using it after that and just used this one. This one also comes with the online version of the tests and flashcards so it really is a better deal
OUTPUT:


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

INPUT: So small can't even see it in my garage i though was a lil bigger
OUTPUT: negative

INPUT: Much smaller than what I expected. The quality was not that great the paper in the lower end of the cup was ruined after first wash with the kids.
OUTPUT: neutral

INPUT: A bit taller than expected. I’m 5’11 & use these at the shortest adjustment. Would be nice to shorten for going up hill. They do extend for going down hill.
OUTPUT: neutral

INPUT: The width and the depth were opposite of what it said, so they did not fit my cabinet.
OUTPUT: negative

INPUT: seems okay, weaker than i thought it be be and too tight
OUTPUT: neutral

INPUT: way smaller than exspected
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

INPUT: These raw cashews are delicious and fresh.
OUTPUT: positive

INPUT: The 8 year old nephew said he wanted this for his birthday. I felt it was a bit much for a toy but he caught me on a good day. Come to find out it's a fragile collectible so the nephew lost all the small parts the moment he opened it. I guess it's adequate for collectors that want detail on such a small figurine.
OUTPUT: neutral

INPUT: Can’t get ice all the way around the bowl. Only on the bottom, so it didn’t keep my food as cold as I would have liked.
OUTPUT: neutral

INPUT: I opened a bottle of this smart water and took a large drink, it had a very strong disgusting taste (swamp water). I looked into the bottle and found many small particles were floating in the water... a few brown specs and some translucent white. I am completely freaked out and have contacted Coca-Cola, the product manufacture.
OUTPUT: negative

INPUT: Super cute and would be effective for the average chewer. My dog had the east of in less than a minute. I liked that when the limbs were removed, the stuffing wasn't exposed.
OUTPUT: neutral

INPUT: This rice is from the ice age. It tastes ghastly and revolting. I threw the rest away and I'm sure not even the ants will like it. It seems to be leftovers from Neanderthals which might add some archeological value to it.
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

INPUT: Just as advertised. Quick shipping.
OUTPUT: positive

INPUT: Please note that it’s pretty small, so it’ll take a few trips to grind enough for a good session. Also the top is kinda tricky because you have to screw it on each time to grind.
OUTPUT: neutral

INPUT: Well, I ordered the 100 pack and what came in the mail was silver eyeshadow....Yep, silver women’s eyeshadow...no blades....how does that happen???
OUTPUT: negative

INPUT: Not reliable and did not chop well. Came apart with second use. Pampered Chef is my all-time favorite with Zyliss coming in second.
OUTPUT: negative

INPUT: Stop using Amazon Delivery Drivers, they are incompetent and continually damage packages
OUTPUT: negative

INPUT: Fast shipping. Unfortunately, upon opening I noticed a sizable chip on the 1000 grit side. Hopefully still useable after a little grinding.
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

INPUT: Not worth it the data cable had to move it in a certain position to make it work i just returned it back.
OUTPUT: negative

INPUT: Water pump works perfectly and arrived as promised.
OUTPUT: positive

INPUT: I am very upset and disappointed, a month ago I bought this axial and the second time I went to use it, the control stopped working, the car did not roll or move the direction to any side, I took it to check with a technician and made several tests connecting different controls to the car and it worked perfect but when we put back the control that brought the car did not work, very annoying since in theory this is one of the best cars and brands that are in the market
OUTPUT: neutral

INPUT: did not work, spit out fog oil ,must have got a bad one
OUTPUT: negative

INPUT: When I received this product, I took the tracker out of the package and plugged it in in order to charge it-it never turned on! I did that was suggested, but to no avail!
OUTPUT: negative

INPUT: Had to return it. Didn’t work with my Rx. Tested it once upon arrival, seemed fine. The next day it was leaking.
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

INPUT: This is even sexier than the pic! It has good control and is smooth under all my clothes! It's also comfortable and I'm able to easily wear it all day, it doesn't roll down either!
OUTPUT: positive

INPUT: Ordered two identical rolls. One arrived with the vacuum bag having a large hole poked in the center - almost the size of the center hub hole. Since the roll arrives in a product box the hole either occurred before boxing at the manufacturer or I received a return. The seller responded promptly and asked for photos, which I provided. Then they asked if there was anything wrong with the product. Huh? I replied it has some issues (likely moisture related). Then they asked for details of issues. Huh? Well, I've had enough of providing them details of the damaged/defective product.
OUTPUT: neutral

INPUT: I never should've ordered this for my front porch steps. It had NO Adhesion and was a BIG disappointment.
OUTPUT: negative

INPUT: Warped. Does not sit flat on desk.
OUTPUT: negative

INPUT: Received this file box last night, and begin to put my documents in as soon as I received it. It is very good for me as my husband and I get a lot paperwork to save. The colorful tags make it easier to find what I want. The material is strong. I finally get something to help with the messy drawer! Love this product! I believe I will buy another one when this one is full!
OUTPUT: positive

INPUT: Beautiful rug and value however rolling it on a one inch roll is ridiculous. I can’t remember the last 5 X 7 rug that comes rolled up on a cardboard roll. While I understand the rug will flatten eventually it should be after a day or so. Not days with weights on it, flipping it and steaming it. Good think I’m not having company tomorrow.
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

INPUT: Stop using Amazon Delivery Drivers, they are incompetent and continually damage packages
OUTPUT: negative

INPUT: Ordered these for my daughter as a Christmas present. When she opened the case 3 of the markers did not have the caps on and were completely dried out. She was very disappointed. She then starting testing all of them on a piece of paper, several of them began to run out of ink very quickly. Not happy with this product, tried to return, however these markets are an unreturnable item.
OUTPUT: negative

INPUT: I am returning product, I’ve been getting the same Wella Brilliance shampoo for years...the darker and cheaper one circled, and the last Two deliveries were the lighter bottle which smells nothing like the product I want and have been using for nearly 10 years. Extremely dissatisfied, why would they have two products and two prices and send the one you DONT PICK????
OUTPUT: negative

INPUT: I like these storage bins overall. The color of the lining inside wasn’t expected, it shows a light brown color in the photo but it’s pretty dark. I would have preferred the lining inside to match the outside, tan or grey. Other than that they are cute and look as pictured.
OUTPUT: neutral

INPUT: Just as advertised. Quick shipping.
OUTPUT: positive

INPUT: I use these cartridges all the time, but this is my first time to order them from Amazon (I had a gift card on Amazon that needed to be used). The box which, actually, was shipped from Office Depot was damaged when it arrived; however, the cartridges appear not to be damaged. I'll find out for sure when I install them (not all at the same time). An interesting thing about my order: I wanted a box of 2 black cartridges, also, but there was a delivery charge on them because the order would be fulfilled by Office Depot - there was free shipping on the color cartridges (fulfilled by Amazon). Rather than pay shipping on the black cartridges, I bought them at the local Walmart for the same price as through Amazon -- no shipping charges. The interesting thing was that when the color cartridges arrived, they had been shipped by Office Depot -- no shipping charges on them. Why shipping charges on black but not color -- price on each was more than the $25 amount required for free shipping and both shipped from Office Depot? Doesn't make sense to me.
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

INPUT: 2 out of four came busted
OUTPUT: neutral

INPUT: These little lights are awesome. They put off a nice amount of light. And you can put them ANYWHERE! I have put one in the pantry. Another in my linen closet. Another one right next to my bed for when I get up in the middle of the night. Have only had them about a month but so far so good!
OUTPUT: positive

INPUT: The picture shows the fuel canister with the mosquito repeller attached so I assumed it would be included. However, when I opened the package I discovered there was no fuel. Since it is not included, the picture should be removed. If someone orders this and expects to use it immediately, like I did, they will be very disappointed.
OUTPUT: negative

INPUT: Well, I ordered the 100 pack and what came in the mail was silver eyeshadow....Yep, silver women’s eyeshadow...no blades....how does that happen???
OUTPUT: negative

INPUT: The package only had 1 rectangular pan and 1 cupcake pan. Missing 2 rectangular pans.
OUTPUT: negative

INPUT: Only 6 of the 12 lights were included...
OUTPUT:


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

INPUT: What a really great set of acrylics. My daughter has been painting with them since they came in. The colors come in a wide range of vibrant colors that have a smooth consistency. These paints are packed in aluminum tubes which allows the paint to not dry or crack over time.
OUTPUT: positive

INPUT: I didn’t like that it was made out of plastic and that you had to put it together yourself.
OUTPUT: negative

INPUT: Im not sure if its just this sellers stock of this product or what but the first order was no good, each bottle had mold and clumps in the bottle and usually companies will put a couple of metal beads in a bottle to aid in the mixing but these had a rock in it... like a rock off the ground. I decided to replace the item, same seller, and once again they were all clumpy and gross... I attached a photo. I wouldnt buy these, at least not from this seller.
OUTPUT: negative

INPUT: Expensive for a kids soap
OUTPUT: neutral

INPUT: I would love to give this product 5 star but unfortunately it just doesn’t cut due to quality. I bought them only (and only) for my toddlers snacks. And for that purpose they work great. I would probably use them in other situations as well if they were all the same. And yes I understand, if they are hand carved from one piece of wood, there could be slight difference, but that’s where product quality control comes in. I guess they just didn’t want any faulty products and decided to sell them all no matter what.
OUTPUT: neutral

INPUT: This was not like the name brand polymer clays I am used to working with. This is much to plasticky feeling, hard to work with, it won’t soften up even the slightest bit with the heat from my hands like the name brand polymers. It was difficult to mold, roll, and impossible to create anything halfway decent looking. This is certainly a case of “you get what you pay for” Stick to the name brand if you want this for anything other than for a kid to mess around with. I am highly disappointed in everything except for the case it came in.
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

INPUT: There are no pockets for organization inside this bag. There are flat divided areas on the outside but not convenient. The material is good and has been durable thus far.
OUTPUT: neutral

INPUT: Overall I liked the phone especially for the price. The durability is my main issue I dropped the phone once onto a wood floor from about 12 inches and the screen cracked after having it for about 2 weeks. Otherwise it seemed to be a decent phone. It had a few little quirks that took a little getting used to but otherwise I think it wood be a good phone if it was more durable.
OUTPUT: neutral

INPUT: Too stiff, barely zips, and is very bulky
OUTPUT: negative

INPUT: I love how the waist doesn't have an elastic band in them. I have a bad back and tight waist bands always make my back feel worse.These feel decent...although If they could make them just one size larger..and not just offer plus size....that would be even better for my back.
OUTPUT: positive

INPUT: It will do the job of holding shoes. It's not glamorous, but it holds shoes and stands in a closet. You will need help with the shelving assembly as it is a two person job.
OUTPUT: neutral

INPUT: All the pockets and functionality are just right. I can't really find anything about the usability that annoys me such as pockets or organization not quite right. The pockets are placed and sized well and I find them all useful. The most annoying thing about it is that it does not stand up straight on its own, however, it has a very predictable side that it falls to. It leans predictably so it is not an actual issue against it's overall usability.
OUTPUT:


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

INPUT: This dress is very comfortable. I would recommend wearing a slip under it as it is very thin. I’m going to have to hem the bottom because it’s long. I’m 5’5” and even in wedges it hits the floor. But it’s great for the price!
OUTPUT: positive

INPUT: Fantastic belt ,love it . This is my second one , the first one was a little small but this one is perfect. I suggest you order one size bigger than your waist size.
OUTPUT: negative

INPUT: This shirt is not long as the picture indicates. It's just below waist length. Disappointed b/c I am 5'10 and wanted to wear with leggings.
OUTPUT: negative

INPUT: The black one with the tassels on the front and it looks pretty cute, perfect for summer. I have broad shoulders so the looseness was great for me but if you are more petit you might not love how oversized it can look (specially the sleeves). Please note, it does SHRINK after washing (not even drying) so beware!! Also, it is very short but cute nonetheless.
OUTPUT: neutral

INPUT: It was recommended by a friend and found that things are really good to wear and I like them very much.
OUTPUT: positive

INPUT: Nice lightweight material without being cheap feeling. Generally the design is nice, except the waist. The sewn in waist band is high. If you are long waisted , it would be way above your waist. I am a medium which is what I ordered. The waistband is about at the last rib in the front. When you tie the attached belt there is an improvement. OK as a house dress for me. I'm 5'4" and it's bit bit long. I just knotted the corners of the bottom hem...that works.
OUTPUT:


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

INPUT: Easy to peel and stick. They don't fall off.
OUTPUT: positive

INPUT: It's only been a few weeks and it looks moldy & horrible. I bought from the manufacturer last year and had no problems.
OUTPUT: negative

INPUT: Bought this iPhone for my 9.7” 6th generation iPad as advertised. Not only did this take over 30 minutes just try to put it on, but it also doesn’t fit whatsoever. When we did get it on, it just bent right off the sides, exposing the entire edges of all the parts of the iPad. This is the worst piece of garbage I have bought from Amazon in years, save your money and go somewhere else!!
OUTPUT: negative

INPUT: very cute style and design, but tarnished after 1 wear!
OUTPUT: neutral

INPUT: This is THE BEST mascara I have found. I live in south Florida and this stays on through humidity, rain, everything and NO clumping or smudging. It's buildable and really easy to remove. LOVE IT!
OUTPUT: positive

INPUT: Peeled off very quickly. Looked good for a short while; maybe a day.
OUTPUT:


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

INPUT: For the money, it's a good buy... but the fingerprint ID just doesn't work very good. After several attempts, it would not allow me to register my fingerprint. So... I just use the key to lock and unlock the safe, and that's not a problem. If you want something with the ability to open with your fingerprint, you'll need to spend a bit more, but if fingerprint id isn't something you absolutely need to have, then this safe is for you.
OUTPUT: neutral

INPUT: It will not turn on. It was a gift and the person called and said it does not work. It won't turn on. I would like to send back and get either another or my money back.
OUTPUT: negative

INPUT: Ordered these for my daughter as a Christmas present. When she opened the case 3 of the markers did not have the caps on and were completely dried out. She was very disappointed. She then starting testing all of them on a piece of paper, several of them began to run out of ink very quickly. Not happy with this product, tried to return, however these markets are an unreturnable item.
OUTPUT: negative

INPUT: This product does not work at all. I have tried it on two of my vehicles and it does not cover light scratches. Waste of money.
OUTPUT: negative

INPUT: The paw prints are ALREADY coming off the bottom of the band where you snap it together, I've only worn it three times. Very upset that the paw prints have started rubbing off already 😡
OUTPUT: neutral

INPUT: Finger print scanned does not work with it on
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

INPUT: This cable is not of very good quality. It doesn’t fit right so you have to hold the connector to the port in order to work.
OUTPUT: negative

INPUT: It didn’t work at all. All the wax got stuck at the top and would never flow.
OUTPUT: negative

INPUT: Needs a longer handle but that's my only complaint. Otherwise works well.
OUTPUT: neutral

INPUT: This product worked just as designed and was very easy to install.The setup is so simple for each load on the trailer.I would def recommend this item for anyone needing a break controller.
OUTPUT: positive

INPUT: I just got these in the mail. Work for like a minute and than gives me the accessory is not supported by this iPhone. I have the iPhone 7. It’s really wack for a deal of two of them
OUTPUT: negative

INPUT: Works perfectly. Only criticism might be that the OD doesn’t match so it’s very apparent that an adapter is being used but glad to be able to use old attachments!
OUTPUT:


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

INPUT: Waste of money!! Don’t buy this product. just helping community. I trusted reviews about that but all wrong
OUTPUT: negative

INPUT: Not worth it the data cable had to move it in a certain position to make it work i just returned it back.
OUTPUT: negative

INPUT: Please do not buy this! I was so excited and I got one for me and my co worker because we freeze in our offices. It's so small and barely even heats up. One of them didn't even work at all!
OUTPUT: negative

INPUT: 2 out of three stopped working after two weeks.! Threw them all in the trash. Don't waste your money
OUTPUT: negative

INPUT: Very cheaply made, its not worth your money, ours came already broken and looks like it's been played with, retaped, resold.
OUTPUT: negative

INPUT: DO NOT BUY! Device did not work after the first use and the company is ignoring my return request. You want the device to be reliable when you need it. I no longer trust this brand.
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

INPUT: Ordered these for a friend and he loved them!
OUTPUT: positive

INPUT: Too stiff, barely zips, and is very bulky
OUTPUT: negative

INPUT: Picture was incredibly misleading. Shown as a large roll and figured the size would work for my project, then I received the size of a piece of paper.
OUTPUT: negative

INPUT: Awesome little pillow! Made it easy to transport on my motorcycle.
OUTPUT: positive

INPUT: Perfect brush, small radius, and good quality.
OUTPUT: positive

INPUT: Love these rollers! Very compact and easy to travel with!
OUTPUT:


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

INPUT: Easy to peel and stick. They don't fall off.
OUTPUT: positive

INPUT: I was totally looking forward to using this because I tried the original solution and it was great but it burned my skin because I have sensitive skin but this one Burns and makes my make up look like crap I wouldn’t recommend it at all don’t waste your money
OUTPUT: negative

INPUT: Wore it when I went to the bar a couple times and the silver coating started to rub off but for the price I cannot complain. My biggest issue I have with it is it flipping around. Got a lot of compliments though.
OUTPUT: neutral

INPUT: The first guard may serve more as a learning curve. I do kinda prefer to use the ones that come with molding trays. This didn't help until about 3-4 nights of use. Even then, sometimes it feels like my upper gum underneath, is strange feeling the next morning
OUTPUT: neutral

INPUT: Absolutely horrible vinyl does not stick at all I even had my heat breast up to 450 and it still wouldn't
OUTPUT: negative

INPUT: Maybe I’m not that good at applying it. But it seems really hard to get on without streaks, and it only seems to work okay
OUTPUT:


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

INPUT: Very poorly packaged. The glasses banged each other. Should have been bubble wrapped. So bummed that I can’t use these for a party tonight!
OUTPUT: negative

INPUT: Half of the pads were dried out. The others worked great!
OUTPUT: neutral

INPUT: I've been using this product with my laundry for a while now and I like it, but I had to return it because it wasn't packaged right and everything was damaged.
OUTPUT: negative

INPUT: The clear backing lacks the stickiness to keep the letters adhered until you’re finished weeding! It’s so frustrating to have to keep up with a bunch of letters and pieces that have curled and fell off the paper! It requires additional work to make sure that they’re aligned properly and being applied on the right side, which was an issue for me several times! I purchased 3 packs of this and while it’s okay for larger designs, it sucks for lettering or anything intricate 😏 Possibly it’s old and dried out, but in any event, I will not be buying from this vendor again and suggest that you don’t either!
OUTPUT: negative

INPUT: Ordered two identical rolls. One arrived with the vacuum bag having a large hole poked in the center - almost the size of the center hub hole. Since the roll arrives in a product box the hole either occurred before boxing at the manufacturer or I received a return. The seller responded promptly and asked for photos, which I provided. Then they asked if there was anything wrong with the product. Huh? I replied it has some issues (likely moisture related). Then they asked for details of issues. Huh? Well, I've had enough of providing them details of the damaged/defective product.
OUTPUT: neutral

INPUT: The product is fine and the delivery was fast, but there's no way to seal the package once it's opened. There's a wide piece of tape, but you have to cut the package open to get into it unlike most wipes that have a slit with an adhesive to cover it afterward. If you don't seal them back up they go dry and are useless.
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

INPUT: Easy to use, quick and mostly painless!
OUTPUT: positive

INPUT: Really cute outfit and fit well. But, the two bows fell off the top the first time worn. The bows were glued on opposed to sewn.
OUTPUT: neutral

INPUT: As a hard shell jacket, it’s pretty good. I ordered the extra large for a skiing trip. It comes small so order a size bigger then normal. I can not use the fleece liner because it is too small. The hard shell is not water proof. I live in the Pacific Northwest and this is not enough to keep you dry. I really like the look of this jacket too.
OUTPUT: neutral

INPUT: Perfect brush, small radius, and good quality.
OUTPUT: positive

INPUT: Very strong cheap pleather smell that took a few days to air out. One of the straps clips onto the zipper, so be careful of the zipper slowly coming undone as you walk.
OUTPUT: neutral

INPUT: Very breathable and easy to put on.
OUTPUT:


MODEL OUTPUT

 neutral


PARSE RESULT

 ['neutral']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

INPUT: Overall I liked the phone especially for the price. The durability is my main issue I dropped the phone once onto a wood floor from about 12 inches and the screen cracked after having it for about 2 weeks. Otherwise it seemed to be a decent phone. It had a few little quirks that took a little getting used to but otherwise I think it wood be a good phone if it was more durable.
OUTPUT: neutral

INPUT: I thought it was much bigger, it's look like a new born baby ear ring.
OUTPUT: neutral

INPUT: I like this swim suit but it fits really small. I am a size 14 and per reviews that's what I ordered. It runs really small. Also a lot of mesh in the back and on the sides of this suit. Don't like that. its going back....sad
OUTPUT: negative

INPUT: I ordered a screen for an iPhone 8 Plus, but recevied product that was for a different phone. A significantly smaller phone.
OUTPUT: negative

INPUT: Bought this Feb 2019. Its already wore down and in need of replacement. I dont recommend one purchase this unless its jus for looks.
OUTPUT: negative

INPUT: I bought this for my daughter for her new phone and she loves it! It fits the phone very well and looks super cute. It also feels nice and sturdy.
OUTPUT:


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

INPUT: ordered and never received it.
OUTPUT: negative

INPUT: I recieved a totally different product than I ordered (pictured) and I see that I cannot return it !?! I give them one star just because I'm tryin to be nice. I ordered these black hats for a christmas project that I am doin with my 5 yr old son for his classroom and now I'm afraid to even try to reorder them again in fear that I'll recieve another different product.
OUTPUT: negative

INPUT: Help..... I ordered and paid for one and received 3. How do we handle this?? Don’t publish.... just answer
OUTPUT: neutral

INPUT: It will not turn on. It was a gift and the person called and said it does not work. It won't turn on. I would like to send back and get either another or my money back.
OUTPUT: negative

INPUT: I bought the surprise shirt for grandparents, but was sent one for an aunt. I was planning on surprising them with this shirt tomorrow in a cute way, but now I have to postpone the get together until I receive the correct item sent hopefully right this time.
OUTPUT: negative

INPUT: never received my order
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

INPUT: For the S3 Gold: Color matches perfectly, but the band I received is not the same quality as the other BRG bands I’ve bought. The middle metal clasp that attaches to the watch is extremely loose. The entire clasp that slides into the watch is also loose and wiggles. The magnetic clasp to lock the bracelet in place also slides off easily. I love that the color matches, but I either got a defective band or the quality has gone down.
OUTPUT: negative

INPUT: This item appears to be the same as one I purchased from a local hardware store a year or so ago, but it is not finished or burnished to the quality of the one I previously purchased. As such it looks dull, but not exceedingly so. It is close enough to be acceptable.
OUTPUT: neutral

INPUT: Well, I ordered the 100 pack and what came in the mail was silver eyeshadow....Yep, silver women’s eyeshadow...no blades....how does that happen???
OUTPUT: negative

INPUT: Just what I expected! Very nice!
OUTPUT: positive

INPUT: I thought it was much bigger, it's look like a new born baby ear ring.
OUTPUT: neutral

INPUT: This product is not as viewed in the picture, was assuming it would be gold but came in a silver color. Slightly disappointed but not worth returning due to the quality of price.
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

INPUT: Worst iPhone charger ever. The charger head broke after used for 5 Times. Terrible quality.
OUTPUT: negative

INPUT: few cables not working, please reply what to do?
OUTPUT: neutral

INPUT: This cable is not of very good quality. It doesn’t fit right so you have to hold the connector to the port in order to work.
OUTPUT: negative

INPUT: Not enough information and it seems to behave erratically. Not contacted Tech Support yet. Support URL in printed instructions is dead. Needs better instructions for VOIP POTS without cordless phones in home. I am somewhat allergic to radios. Literature does not tell what to expect when CPR Call blocker is disconnected for short period of time. It depends entirely on talk line battery. I need it to work and am not giving up. Tech support seems to be illusive.
OUTPUT: neutral

INPUT: Had some problems getting it to work. The supplied cable was no good - would not charge the battery. When I replaced cable with my own was able to charge and then connect the device via bluetooth to a PC. Had trouble finding the PC software but when I emailed their support they responded within a day with the correct download info. PC program works well for testing the unit after you figure out which port to use (port 4 in my case). The accuracy and stability of the unit look very good for my application, however I was not able to connect to either an iPhone or iPad (tried several of each) via bluetooth. Will have to hard-wire if I decide to use this device in my product.
OUTPUT: neutral

INPUT: Worst cable I have had to date for my iphone. It's so stiff if you move it at all while plugged in, it disconnects. I have to carefully plug it in all the way and it doesn't give that really solid click feel, then if disturbed at all it loses connection. I have another Anker Powerline 1 cable and it has been great. Not sure how the II can go backwards. My window to return has closed so I guess I'll contact them directly and see if they will replace with a different cable.
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

INPUT: Not worth it the data cable had to move it in a certain position to make it work i just returned it back.
OUTPUT: negative

INPUT: Mediocre all around. Durability is "meh". Find a good (modular) set that will last you 10x the durability. This isn't the cheap Chinese headphones you have been looking for. Look for IEM
OUTPUT: neutral

INPUT: I bought this modem/router about two years ago. At the start it seemed to be ok but for the last year plus I’ve had problems with it dropping the internet. This happens on all my devices both Wi-Fi and wired. The only way to restore service was to do a AC power reset. This was happening once or twice a day. Comcast came out, ran a new coax line from the pedestal to the house and boosted the signal level. Same problem. The Arris Tech guys were great but could not solve the problem. Additionally, I lost the 5G service on three occasions. I had to do a factory reset to restore this. I cannot recommend this modem/router based upon my experiences. I purchased a Netgear AC1900 modem/router. It’s fantastic. I’v Had it for over a week with no problems. It’s faster and the range is greater than the Arris. I read online that other people have had problems with the Arris modem/router connected to Comcast. If you have Comcast internet I do not recommend this Arris modem/router. Get the Netgear, its much more reliable.
OUTPUT: negative

INPUT: The case and disc were clean when I got them. No cracks to the case and the game worked as needed. The game itself is wonderful, full of adventure. There isn't much in replay value per se, yet most of the players find themselves going back for more, if only to level up their characters.
OUTPUT: positive

INPUT: Stop using Amazon Delivery Drivers, they are incompetent and continually damage packages
OUTPUT: negative

INPUT: Had Western Digital in all my builds and they've been great. Decided to try the Fire Cuda and it failed two weeks in and I lost so much data. Never again!!
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

INPUT: 2 out of three stopped working after two weeks.! Threw them all in the trash. Don't waste your money
OUTPUT: negative

INPUT: Works very well. Easy to set alarms, and time. The snooze/backlight function is pretty neat too. The dim back light is also nice so that you can actually read the time in the dark.
OUTPUT: positive

INPUT: Wow. I want that time back. What a huge BORE!!
OUTPUT: negative

INPUT: When we received the scoreboard it was broken. We called for support and left our number for a call back. 3 days later no call. Terrible service!
OUTPUT: negative

INPUT: One half stopped working after month of use
OUTPUT: negative

INPUT: The time display stopped working after 3 months. Can now see only bottom half of numbers. Don't buy.
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

INPUT: I did a lot of thinking as I read this book. I felt as though I could really picture what the main character was going through. The author did a great job describing the situations and events. I really rooted for the main character and felt her struggles. It seems as though she had to over come a lot to once again over come a lot. She had a group of interesting characters both supporting her and also ones who were against her. Not a plot to be predicted. I highly recommend this book. It grabbed my attention from the first page and had me thinking about it long after. I look forward to reading the author's next book.
OUTPUT: positive

INPUT: Love the humor and the stories. Very entertaining. BOL!!!
OUTPUT: positive

INPUT: Very informative Halloween Recipes For Kids book. This book is just what I needed with great and delicious recipe ideas. I will make a gift for my mom on her birthday. Thanks, author!
OUTPUT: positive

INPUT: Excellent read!! I absolutely loved the book!! I’ve adopted 4 Siamese cats from Siri over the years and everyone of them were absolute loves. Once you start to read this book, it’s hard to put down. Funny, witty and very entertaining!! Siri has gone above and beyond in her efforts to rescue cats (mainly Siamese)!!
OUTPUT: positive

INPUT: Holy Crap what a Cliffy! Loved this book from beginning to end and is my absolute favorite so far! Can’t wait for book 4!
OUTPUT: positive

INPUT: Great story, characters and everything else. I can not recommend this more!
OUTPUT:


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

INPUT: I thought it was much bigger, it's look like a new born baby ear ring.
OUTPUT: neutral

INPUT: This dress is very comfortable. I would recommend wearing a slip under it as it is very thin. I’m going to have to hem the bottom because it’s long. I’m 5’5” and even in wedges it hits the floor. But it’s great for the price!
OUTPUT: positive

INPUT: I really Like this ring light! It is wonderful for the price and it gets the job done! The only issue is the light bulb heats up too fast and the light goes out, so I have to turn it off wait for a while then turn it back on. I don't think that is supposed to happen...I don't know if I have a defective light or what, but it is a very nice ring light besides the overheating.
OUTPUT: neutral

INPUT: Sorry but these are a waist of money. Washed my handy one time and they come right off. I even glued them on because they were so cheep and didn’t stay when you put the ring on .
OUTPUT: negative

INPUT: This sweatshirt changed my life. I wore this sweatshirt almost every single day from January 25th, 2017 up until last week or so when the hood fell off after almost a year of abuse. This sweatshirt has made me realize that the small things in life are the things that matter. Thank you Hanes, keep doing what you do. Love, Justin
OUTPUT: positive

INPUT: I love the way the ring looks and feels. It's just I chose 5.5 for my ring size and I referenced it to the size chart but it still but it's big on me.
OUTPUT:


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

INPUT: Granddaughter really likes it for her volleyball. well constructed and nice way to carry ball.
OUTPUT: positive

INPUT: When i opened the package 2 of them were broken. Very disappointing
OUTPUT: negative

INPUT: These are great for SO many things. Originally I had them in my drink at a club but then later bought them for my wedding center pieces. The light stays on for weeks but becomes dim after 3 or 4 days. We had a great time leaving the extra ones around the party and will use the extra ones for fun.
OUTPUT: positive

INPUT: They are huge!! Want too big for me.
OUTPUT: neutral

INPUT: The glitter gel flows, its super cute.
OUTPUT: positive

INPUT: My girls love them, but the ball that lights up busted as soon as I removed from the package.
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

INPUT: My puppies loved it!
OUTPUT: positive

INPUT: Chair is really good for price! I have 6 children so I was looking for something not to expensive but good, this chair is really good comparing with others and good prices
OUTPUT: positive

INPUT: This is my third G-shock as I have been addicted to this watch and can never probably use a different brand. Not only this is a beautiful watch, it is also water resistant and is very durable. Good purchase overall and I love the dark blue color. I only miss the night light, which this one does not have
OUTPUT: positive

INPUT: Its good for the loose skin postpartum. I'm gonna use it for another waist trainer. Not tight enough.
OUTPUT: neutral

INPUT: Awesome little pillow! Made it easy to transport on my motorcycle.
OUTPUT: positive

INPUT: Love this booster seat ! My miniature schnauzer Chloe is with me most of the time. She loves riding in the car. Before she couldn't see over dashboard in my truck. Now she can and she loves it. She watches everything going on. Thank you for a well made product. We would order again.
OUTPUT:


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

INPUT: Good deal for a good price
OUTPUT: positive

INPUT: My cousin has one for his kid, my daughter loves it. I got one for my back yard,but not easy to find a good spot to hang it. After i cut some trees, now its prefect. Having lots of fun with my daughter. Nice swing, easy to install.
OUTPUT: positive

INPUT: Very cheaply made, its not worth your money, ours came already broken and looks like it's been played with, retaped, resold.
OUTPUT: negative

INPUT: spacious , love it and get many compliments
OUTPUT: positive

INPUT: Mediocre all around. Durability is "meh". Find a good (modular) set that will last you 10x the durability. This isn't the cheap Chinese headphones you have been looking for. Look for IEM
OUTPUT: neutral

INPUT: well built for the price
OUTPUT:


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

INPUT: I did a lot of thinking as I read this book. I felt as though I could really picture what the main character was going through. The author did a great job describing the situations and events. I really rooted for the main character and felt her struggles. It seems as though she had to over come a lot to once again over come a lot. She had a group of interesting characters both supporting her and also ones who were against her. Not a plot to be predicted. I highly recommend this book. It grabbed my attention from the first page and had me thinking about it long after. I look forward to reading the author's next book.
OUTPUT: positive

INPUT: Challenging. Love the fact that each session extends into 6 more days of devotional study. We are focusing each study for a 2 week period. Awesome focus point for personal growth as building meaningful relationships within our group. Thank you !
OUTPUT: positive

INPUT: Very informative Halloween Recipes For Kids book. This book is just what I needed with great and delicious recipe ideas. I will make a gift for my mom on her birthday. Thanks, author!
OUTPUT: positive

INPUT: Enjoyable but at times confusing and difficult to follow.
OUTPUT: neutral

INPUT: The book is fabulous, but not in the condition i was lead to believe it was in. I thought i was buying a good used copy, what i got is torn cover and some kind of humidity damaged book. I give 5 stars for the book, 2 stars for the condition.
OUTPUT: neutral

INPUT: I'm almost done with this book, but its a little too wordy and not intense enough for me.
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

INPUT: I bought these for a replacement for the original band that broke. Fits perfectly with no issues.
OUTPUT: positive

INPUT: The small cover didn’t seem to work very well. I don’t feel that they do Avery good job from keeping the avocado from turning brown
OUTPUT: neutral

INPUT: Ordered this for a Santa present and Christmas Eve noticed it came broken!
OUTPUT: negative

INPUT: my problem with the product is the fit. I have a large head and it is too tight everywhere and the neck just doesnt feel right. I want to pull it down but then my nose has no room. I can't use it because of the poor fit.
OUTPUT: negative

INPUT: This case is ok, but not exceptional - a 3.5 or 4 max. The issue is there are fewer cases available for the Tab A 10.1 w S pen. Of those the Gumdrop is about the best, but it has some serious issues. The case rubber (silicone, whatever) is very smooth and slick, and doesn't give you a lot of confidence when hold the Tab with one hand. The Tab A is heavy so if your laying down watching a video the case slips in your hand so you have to make frequent adjustments. I had to remove the clear plastic shield that covers the screen because it impaired the touch screen operation. This affected the strength of the 1-piece plastic frame the surrounds the Tab A, so now the rubber outer cover feels really flexible and flimsy. Lastly, they made it difficult to get to the S pen. The S pen is in the back bottom right hand corner of the Tab A, and they made the little rubber flap that protects corner swing backwards for access to the S pen. This means in order to get the S pen out, the flap has to swing out 180 degrees. This is really awkward and hard to do with one hand. This case does a good job protecting my Tab A, but with these serious design flaws I can't recommend it unless you have an S pen, then you don't have much choice.
OUTPUT: neutral

INPUT: Fit as expected to replace broken cover
OUTPUT:


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

INPUT: I am returning product, I’ve been getting the same Wella Brilliance shampoo for years...the darker and cheaper one circled, and the last Two deliveries were the lighter bottle which smells nothing like the product I want and have been using for nearly 10 years. Extremely dissatisfied, why would they have two products and two prices and send the one you DONT PICK????
OUTPUT: negative

INPUT: These rings are dainty & adorable! Can be worn alone or stacked. The craftsmanship put into these rings, is very evident! I will definitely be buying more!!
OUTPUT: positive

INPUT: my expectations were low for a cheap scale. they were not met, scale doesnt work. popped the cover off the back to put a battery in and the wires were cut and damaged. wouldn't even turn on. sending it back. product is flimsy and cheap, spend 20 extra bucks on a better brand or scale.
OUTPUT: negative

INPUT: For the S3 Gold: Color matches perfectly, but the band I received is not the same quality as the other BRG bands I’ve bought. The middle metal clasp that attaches to the watch is extremely loose. The entire clasp that slides into the watch is also loose and wiggles. The magnetic clasp to lock the bracelet in place also slides off easily. I love that the color matches, but I either got a defective band or the quality has gone down.
OUTPUT: negative

INPUT: You want an HONEST answer? I just returned from UPS where I returned the FARCE of an earring set to Amazon. It did NOT look like what I saw on Amazon. Only a baby would be able to wear the size of the earring. They were SO small. the size of a pin head I at first thought Amazon had forgotten to enclose them in the bag! I didn't bother to take them out of the bag and you can have them back. Will NEVER order another thing from your company. A disgrace. Honest enough for you? Grandma
OUTPUT: negative

INPUT: When you order a product, you expect the product to be as described. They were advertised as CAP Dumbbells. However, the product received was Golds Gym dumbbells. If I wanted Golds Gym, I would have bought these from Walmart. I have a complete set of CAP dumbbells, with the exception of my one set from Golds Gym. Is the weight correct, yes. Due they perform, yes. I just expect to get what I paid for not something else. After reading a few other reviews, I see that others have had the same issue.
OUTPUT:


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

INPUT: Works very well. Easy to set alarms, and time. The snooze/backlight function is pretty neat too. The dim back light is also nice so that you can actually read the time in the dark.
OUTPUT: positive

INPUT: Says it's charging but actually drains battery. Do not buy not worth the money.
OUTPUT: negative

INPUT: The book is very informative, with great tips and tricks about how to travel as well as what the locations are about which is both it's good and bad aspect. It gives so much interesting context, it may be overly insightful. For the person who must know everything, this is great. For the person who has no idea. Googling will suffice.
OUTPUT: neutral

INPUT: This case is ok, but not exceptional - a 3.5 or 4 max. The issue is there are fewer cases available for the Tab A 10.1 w S pen. Of those the Gumdrop is about the best, but it has some serious issues. The case rubber (silicone, whatever) is very smooth and slick, and doesn't give you a lot of confidence when hold the Tab with one hand. The Tab A is heavy so if your laying down watching a video the case slips in your hand so you have to make frequent adjustments. I had to remove the clear plastic shield that covers the screen because it impaired the touch screen operation. This affected the strength of the 1-piece plastic frame the surrounds the Tab A, so now the rubber outer cover feels really flexible and flimsy. Lastly, they made it difficult to get to the S pen. The S pen is in the back bottom right hand corner of the Tab A, and they made the little rubber flap that protects corner swing backwards for access to the S pen. This means in order to get the S pen out, the flap has to swing out 180 degrees. This is really awkward and hard to do with one hand. This case does a good job protecting my Tab A, but with these serious design flaws I can't recommend it unless you have an S pen, then you don't have much choice.
OUTPUT: neutral

INPUT: These notebooks really keep me on track, love them!
OUTPUT: positive

INPUT: The battery life is terrible compared to earlier versions, an all day reading episode uses it up. It is not something I could count on for a long trip without power nearby. Also, it often goes back several pages quickly because my hand gets near the left edge. I regret buying this version.
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

INPUT: Very informative Halloween Recipes For Kids book. This book is just what I needed with great and delicious recipe ideas. I will make a gift for my mom on her birthday. Thanks, author!
OUTPUT: positive

INPUT: Just can't get use to the lack of taste with this ceylon cinnamon. I have to use so much to get any taste at all. This is the first ceylon I've tried so I can't compare. Just not impressed. I agree with some others that it taste more like red hot candy smells. Hope I can find some that has some flavor. I really don't want to go back to the other cinnamon that is bad for us.
OUTPUT: neutral

INPUT: I like everything about the pill box except its size. I take a lot of supplements and the dispenser is just too small to hold all the pills that I take.
OUTPUT: neutral

INPUT: I would buy it again. Just as a treat, was a nice little side dish pack for nights when me or my husband didn't want to cook.
OUTPUT: neutral

INPUT: This makes almost the whole series. Roman Nights will be the last one. Loved them all. Alaskan Nights was awesome. Met my expectations , hot SEAL hero, beautiful & feisty woman. Filled with intrigue, steamy romance & nail biting ending. Have read two other books of yours. Am looking forward to more.
OUTPUT: positive

INPUT: this is a great book for parents who want to maximize their kids health but not lose the flavor and fun of food. spices are not spicy, they’re health boosting and delicious. i love spice momma’s creative recipes and can’t wait for more from her.
OUTPUT:


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

INPUT: 2 out of three stopped working after two weeks.! Threw them all in the trash. Don't waste your money
OUTPUT: negative

INPUT: I saw this and thought it would be good to store the myriad of batts that I have. You must know that this is made to hang on the wall. The lid does not lock down in any way it just hangs lose and bangs into the Size C batts. You can lay it flat but remember the lid does not in any way hold the batteries from falling out if you turn it to the side, Now for me the biggest disappointment is that there are no slots for the batteries that use the most, the CR 123 batts. I rate it just barely useful. I should have read more carefully the description. It is too much trouble to return it so I'll keep it and buy smaller cases with locking lids
OUTPUT: neutral

INPUT: The one star is for UPS. I wish I had been home when delivery was made because I would have refused it. I have initiated return procedures, so hopefully when seller gets this mess back I will receive my $60 in a timely manner.
OUTPUT: negative

INPUT: Apparently 2 Billion is not very many in the world of probiotics
OUTPUT: neutral

INPUT: The battery covers screw stripped out the first day on both cars I purchased for Christmas.
OUTPUT: negative

INPUT: This item takes 2 AA batteries not 2 C batteries like it says
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

INPUT: Not reliable and did not chop well. Came apart with second use. Pampered Chef is my all-time favorite with Zyliss coming in second.
OUTPUT: negative

INPUT: My paper towels kept falling off
OUTPUT: negative

INPUT: I like everything about the pill box except its size. I take a lot of supplements and the dispenser is just too small to hold all the pills that I take.
OUTPUT: neutral

INPUT: We bought it in hopes my son would stop sucking his thumb. He doesn't suck it when it's on but when it's off for eating, bathing, washing hands... he will still do it. We are now going to try the nail polish with bitter taste. This is a good idea, my son just needs something stronger to beat it.
OUTPUT: neutral

INPUT: Awkward shape, does not fit all butter sticks
OUTPUT: neutral

INPUT: Plates won’t snap in. The keep falling out no master how hard you push. Leaks every where. Handle won’t snap shut. It’s good difficult to use. It’s not like my d sandwich maker I used in college. Only reason I wanted another one-the simple ease of making sandwiches. But this is more headache than worth it. I’m cleaning the mess it’s made.
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

INPUT: The package only had 1 rectangular pan and 1 cupcake pan. Missing 2 rectangular pans.
OUTPUT: negative

INPUT: Ordered these for my daughter as a Christmas present. When she opened the case 3 of the markers did not have the caps on and were completely dried out. She was very disappointed. She then starting testing all of them on a piece of paper, several of them began to run out of ink very quickly. Not happy with this product, tried to return, however these markets are an unreturnable item.
OUTPUT: negative

INPUT: Did not come with the wand
OUTPUT: negative

INPUT: DISAPPOINTED! Owl arrived missing stone for the right eye. Supposed to be a gift.
OUTPUT: neutral

INPUT: Just received in mail, I think I received a used one as it had writing in the first 3 pages. And someone else's name... Otherwise seems like pretty good quality
OUTPUT: neutral

INPUT: Came with 2 pens missing from the box.
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

INPUT: Absolutely worthless! Adhesive does not stick!
OUTPUT: negative

INPUT: Too stiff, barely zips, and is very bulky
OUTPUT: negative

INPUT: Great product will recomend
OUTPUT: positive

INPUT: Easy to peel and stick. They don't fall off.
OUTPUT: positive

INPUT: It was very easy to install on my laptop.
OUTPUT: positive

INPUT: Adhesive is good. Easy to apply.
OUTPUT:


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

INPUT: I like this product, make me feel comfortable. I can use it convenient. The price is very cheap.
OUTPUT: positive

INPUT: Challenging. Love the fact that each session extends into 6 more days of devotional study. We are focusing each study for a 2 week period. Awesome focus point for personal growth as building meaningful relationships within our group. Thank you !
OUTPUT: positive

INPUT: These are great for SO many things. Originally I had them in my drink at a club but then later bought them for my wedding center pieces. The light stays on for weeks but becomes dim after 3 or 4 days. We had a great time leaving the extra ones around the party and will use the extra ones for fun.
OUTPUT: positive

INPUT: The piano is great starters! It finds your child’s inner artistic ability and musical talent. It develops a good hand-eye coordination. The piano isn’t only a play toy, but it actually works and allows your child to play music at an early age. If you want your child to be a future pianist, you should try this product out! Very worth the money!
OUTPUT: positive

INPUT: After 5 months the changing rainbow light has stopped functioning. Still works as an oil diffuser at least. It was cheap so I guess that's what you get!
OUTPUT: neutral

INPUT: It's a perfect product, I use it for study and relaxation. Easy to assemble and lights are adjustable (can be turned off). It's also really quiet, barely any sound. If you need a diffuser that is for meditation, studying or relaxation, definitely pick this one!! Also, a great value for a 2 pack.
OUTPUT:


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

INPUT: Solid performer until the last quart of oil was being drawn out, then it started to spray oil out of the top.
OUTPUT: neutral

INPUT: Easy to clean as long as you clean it directly after using of course. Works great. Very happy
OUTPUT: positive

INPUT: Great must-have tool! A long time ago I was able to open some of my watches, but some were so tight, that it was almost impossible to avoid scratches. This tool turns this job into a few second fun.
OUTPUT: neutral

INPUT: It had to be changed very frequently. Even with the filter we had to empty the water and refill because the water would get nasty, the filters put black specs in the water. And it stopped working after 3 months
OUTPUT: negative

INPUT: I used this product to take rust stains off my concrete driveway. It reduced the stains, but did not remove them completely. I'm hoping our Southern California sun will do the rest .
OUTPUT: neutral

INPUT: Awesome tool for Toyota/Lexus cartridge filter. Way less messy than using the plastic items that come with the filters to drain the oil from the cartridge. The flow doesn’t start until you turn the knurled handle after having threading it into the bottom of the cartridge. Clear tubing is handy to direct the oil into a pan or directly into a recycling container.
OUTPUT:


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

INPUT: Item description says "pack of 3" but I only received 1
OUTPUT: negative

INPUT: Very good price for a nice quality bracelet. My sister loved her birthday present! She wears it everyday.
OUTPUT: positive

INPUT: Received this file box last night, and begin to put my documents in as soon as I received it. It is very good for me as my husband and I get a lot paperwork to save. The colorful tags make it easier to find what I want. The material is strong. I finally get something to help with the messy drawer! Love this product! I believe I will buy another one when this one is full!
OUTPUT: positive

INPUT: The one star is for UPS. I wish I had been home when delivery was made because I would have refused it. I have initiated return procedures, so hopefully when seller gets this mess back I will receive my $60 in a timely manner.
OUTPUT: negative

INPUT: I don’t like it because i ordered twice they sent me the one expired. No good .I don’t want to buy anymore.
OUTPUT: negative

INPUT: Great price BUT were not stuffed properly and had to be opened for fixing. Also, I was under the impression that it was 2, but it's only one insert. My fault for not reading the whole thing so just an FYI.
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

INPUT: Not a credible or tasteful twist at the end of the book
OUTPUT: neutral

INPUT: Item was used/damaged when I received it. Seal on the box was broken so I checked everything before install and it looks like the power/data connections are burnt. Returning immediately.
OUTPUT: negative

INPUT: This system is not as simple & straight-forward to program as one with fewer tech capabilities. The voice quality of the Caller ID announcement is poor & there are multiple steps to use Call Block and to access, then erase, Messages. However, the large capacity to store Blocked Calls is a major reason for the purchase.
OUTPUT: neutral

INPUT: The width and the depth were opposite of what it said, so they did not fit my cabinet.
OUTPUT: negative

INPUT: They sent HyClean which is NOT for the US market therefore this is deceptive marketing
OUTPUT: negative

INPUT: We've all been lied to, that's a fact. Andy Andrews shows us the depth we have sunk to by the lies. We need to expect truth from those in the political arena or elect those people that will speak the truth. You don't want your friends to lie, why accept it from elected officials. Apathy is running rampant. We need to be able to discern truth and it can only be found if we are willing to look for it. Check things out, don't always take what someone says as truth. A short, but powerful, book.
OUTPUT:


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

INPUT: Awesome product. Have used on my hands several times since I received the product. My cuticles have softened and my hands are no longer dry.
OUTPUT: positive

INPUT: They are huge!! Want too big for me.
OUTPUT: neutral

INPUT: Idk what is in these pads but they gave my nips some problems. When I nursed my baby and folded these down the adhesion would get all wonky and end up sticking to me. I love how thin they are but I’ve never have had problems with nursing pads like I did with these
OUTPUT: neutral

INPUT: Sorry but these are a waist of money. Washed my handy one time and they come right off. I even glued them on because they were so cheep and didn’t stay when you put the ring on .
OUTPUT: negative

INPUT: I bought the tie-dyed version and it was SO comfortable. Stretchy breathable material. I decided to buy the black version for work. Bad decision! The material is completely different. It doesn’t stretch, it’s not breathable and it is very small and uncomfortable! It even seems it’s stitched differently so that it coveres 50% less of my head. So disappointing!!
OUTPUT: negative

INPUT: Love the gloves , but be,careful if you are allergic to nickel don't buy them they are made with nickel chloride which I am allergic very highly allergic to so that was the only downfall
OUTPUT:


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

INPUT: They are so comfortable that I don't even know I am wearing them.
OUTPUT: positive

INPUT: very cute style and design, but tarnished after 1 wear!
OUTPUT: neutral

INPUT: Ordered these for a friend and he loved them!
OUTPUT: positive

INPUT: I look fabulous with this glasses on, totally worth it! :D
OUTPUT: positive

INPUT: This is even sexier than the pic! It has good control and is smooth under all my clothes! It's also comfortable and I'm able to easily wear it all day, it doesn't roll down either!
OUTPUT: positive

INPUT: These are super cute! Coworkers have given lots of compliments on the style. I ordered 3 pair for work and home :) haven’t had a headache since wearing these. love!
OUTPUT:


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

INPUT: I never received my item that I bought and it’s saying it was delivered.
OUTPUT: negative

INPUT: Very poorly packaged. The glasses banged each other. Should have been bubble wrapped. So bummed that I can’t use these for a party tonight!
OUTPUT: negative

INPUT: Mango butter was extremely dry upon delivery.
OUTPUT: negative

INPUT: DISAPPOINTED! Owl arrived missing stone for the right eye. Supposed to be a gift.
OUTPUT: neutral

INPUT: Great taste but the box was sent in a mailing envelope. So produce was smashed.
OUTPUT: neutral

INPUT: Was not delivered!!!
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

INPUT: Waste of money!! Don’t buy this product. just helping community. I trusted reviews about that but all wrong
OUTPUT: negative

INPUT: The 8 year old nephew said he wanted this for his birthday. I felt it was a bit much for a toy but he caught me on a good day. Come to find out it's a fragile collectible so the nephew lost all the small parts the moment he opened it. I guess it's adequate for collectors that want detail on such a small figurine.
OUTPUT: neutral

INPUT: Thought this was a magnetic sticker, I was mistaken.
OUTPUT: neutral

INPUT: Pretty dam good cutters
OUTPUT: positive

INPUT: So small can't even see it in my garage i though was a lil bigger
OUTPUT: negative

INPUT: This thing is EXACTLY what is described, 10/10
OUTPUT:


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

INPUT: Fantastic belt ,love it . This is my second one , the first one was a little small but this one is perfect. I suggest you order one size bigger than your waist size.
OUTPUT: negative

INPUT: Maybe it's just my luck because this seems to happen to me with other products but the motor broke in 2 weeks. That was a bummer. I liked it for the 2 weeks though!
OUTPUT: neutral

INPUT: Belt loops were not fastened upon opening. They were not stitched.
OUTPUT: negative

INPUT: Works great, bought a 2nd one for my son's dog. I usually only put them on at night and it stopped the barking immediately. Battery lasted a month. Used a little duct tape to keep the collar at the right length.
OUTPUT: positive

INPUT: Not worth your time. PASS.
OUTPUT: negative

INPUT: Believe the other reviews, the belt is small and won’t let you start the mower. When you do it will burn the belt in minutes.
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

INPUT: This dress is very comfortable. I would recommend wearing a slip under it as it is very thin. I’m going to have to hem the bottom because it’s long. I’m 5’5” and even in wedges it hits the floor. But it’s great for the price!
OUTPUT: positive

INPUT: It's nearly impossible to find a 5 gallon bucket that this seat fits onto. I'd recommend buying the 2 together so that you might get a set that fits.
OUTPUT: negative

INPUT: I like everything about the pill box except its size. I take a lot of supplements and the dispenser is just too small to hold all the pills that I take.
OUTPUT: neutral

INPUT: Chair is really good for price! I have 6 children so I was looking for something not to expensive but good, this chair is really good comparing with others and good prices
OUTPUT: positive

INPUT: I love how the waist doesn't have an elastic band in them. I have a bad back and tight waist bands always make my back feel worse.These feel decent...although If they could make them just one size larger..and not just offer plus size....that would be even better for my back.
OUTPUT: positive

INPUT: We ordered 4 diff brands so we could compare and try them out and this one was by far the worst, once you sat down. You felt squished. I’m 5.5 and 120 lbs. My husband could barely fit.
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

INPUT: This is a nice headset but I had a hard time trying to switch the language on it to English
OUTPUT: neutral

INPUT: I ordered a screen for an iPhone 8 Plus, but recevied product that was for a different phone. A significantly smaller phone.
OUTPUT: negative

INPUT: For the money, it's a good buy... but the fingerprint ID just doesn't work very good. After several attempts, it would not allow me to register my fingerprint. So... I just use the key to lock and unlock the safe, and that's not a problem. If you want something with the ability to open with your fingerprint, you'll need to spend a bit more, but if fingerprint id isn't something you absolutely need to have, then this safe is for you.
OUTPUT: neutral

INPUT: It arrived broken. Not packaged correctly.
OUTPUT: negative

INPUT: Downloaded the app after disconnecting my cable provider to watch shows that I enjoy and to see any of them you have to sign in thru your cable provider. Really disappointed!!
OUTPUT: negative

INPUT: I ordered this phone for my daughter and the "unlocked dual phone " is misleading as it came LOCKED & in Chinese!😡
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

INPUT: Way to sensitive turns on and off 1000 times a night I guess it picks up bugs or something
OUTPUT: negative

INPUT: Took a bottle to Prague with me but it just did not seem to do much.
OUTPUT: negative

INPUT: These are great for SO many things. Originally I had them in my drink at a club but then later bought them for my wedding center pieces. The light stays on for weeks but becomes dim after 3 or 4 days. We had a great time leaving the extra ones around the party and will use the extra ones for fun.
OUTPUT: positive

INPUT: Use at your own risk. My wife and I both had burning sensation and skin reactions. No history of sensitive skin.
OUTPUT: negative

INPUT: Wouldn’t keep air the first day of use!!!
OUTPUT: negative

INPUT: Have not used at night yet
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

INPUT: We bring the kid to Cape Cod this long weekend. The shelter is very helpful when we stay on the beach. Kid feel comfortable when she was in the shelter. It was cool inside of shelter especially if you put some water on the top of the shelter. It is also very easy to carry and set up. It is a good product with high quality.
OUTPUT: positive

INPUT: These are very fragile. I have a cat who is a bit rambunctious and sometimes knocks my phone off my nightstand while it's plugged in. He managed to break all of these the first or second time he did that. I'm sure they're fine if you're very careful with them, but if whatever you're charging falls off a table or nightstand while plugged in, these are very likely to stop working quickly.
OUTPUT: negative

INPUT: Ummmm, buy a hard side for your expensive wreath. It is too thin to protect mine.
OUTPUT: neutral

INPUT: We loved these sheets st first but they have proven to be poor quality with rips at seams and areas of obvious wear from very rare use on our bed. Very disappointed. Would NOT recommend.
OUTPUT: negative

INPUT: Cute bag zipper broke month after I bought it.
OUTPUT: neutral

INPUT: Our 6 month old Daughter always needs a security blanket wherever we go. We bought these as backups and they have been so durable and they are really cute too.
OUTPUT:


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

INPUT: The book is very informative, with great tips and tricks about how to travel as well as what the locations are about which is both it's good and bad aspect. It gives so much interesting context, it may be overly insightful. For the person who must know everything, this is great. For the person who has no idea. Googling will suffice.
OUTPUT: neutral

INPUT: I like this series. The main characters are unusual and very damaged from a terrible childhood. Will is an excellent investigator but due to a disability he believes he is illiterate. Slaughter does a very good job showing how people with dyslexia learn ways to hide their limitations. It will be interesting to see how these characters play out in the future. I understand that Slaughter brings some of the characters from the Grant County series to this series. The crimes are brutal. I'm sure this is a good representation of what police come across in their career. The procedural is well done and kept me interested from start to finish. I'm looking forward to reading more of this series soon.
OUTPUT: positive

INPUT: Just received in mail, I think I received a used one as it had writing in the first 3 pages. And someone else's name... Otherwise seems like pretty good quality
OUTPUT: neutral

INPUT: Great book for daily living
OUTPUT: positive

INPUT: Works very well. Easy to set alarms, and time. The snooze/backlight function is pretty neat too. The dim back light is also nice so that you can actually read the time in the dark.
OUTPUT: positive

INPUT: I like everything about this book and the fine expert author who also provides vital information on T.V.
OUTPUT:


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

INPUT: The 8 year old nephew said he wanted this for his birthday. I felt it was a bit much for a toy but he caught me on a good day. Come to find out it's a fragile collectible so the nephew lost all the small parts the moment he opened it. I guess it's adequate for collectors that want detail on such a small figurine.
OUTPUT: neutral

INPUT: Really cute outfit and fit well. But, the two bows fell off the top the first time worn. The bows were glued on opposed to sewn.
OUTPUT: neutral

INPUT: We bring the kid to Cape Cod this long weekend. The shelter is very helpful when we stay on the beach. Kid feel comfortable when she was in the shelter. It was cool inside of shelter especially if you put some water on the top of the shelter. It is also very easy to carry and set up. It is a good product with high quality.
OUTPUT: positive

INPUT: Cute, soft and great for a baby that’s 1 and loves Bubble Guppies.
OUTPUT: positive

INPUT: The child hat is ridiculously small. It was not even close to the right size for my 3 year old son. I checked the size, and it wouldn't have even fit him as a newborn. I liked the adult hat but it is not sold separately. The seller was rude and unhelpful when I contacted them directly through Amazon. The faux fur pom was either already torn or tore when I was trying on the hat. See the attached photograph. The pom came aprt, exposing the inner fluff.
OUTPUT: negative

INPUT: My twin grand babies will not be here until March. So we have not used them yet. The only thing so far that I was let down by was the set for the girl showed a cute bow, when I got it, it was just the cap. You should not show the boy in the picture.
OUTPUT:


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

INPUT: Great taste but the box was sent in a mailing envelope. So produce was smashed.
OUTPUT: neutral

INPUT: I've bought many wigs by far this is the best! I was sceptical about the price and quality but it surpassed my expectations. Loving my new wig great texture natrual looking!!
OUTPUT: positive

INPUT: This product is a good deal as far as price and the amount of softgels. I also like that it has a high EPA and DHA formula. The only thing I don't like is the fish burps. Maybe they need to add more lemon to the formula
OUTPUT: neutral

INPUT: The first time I bought it the smell was barely noticeable, this time however it smells terrible. Not sure why the smell change if the formula didn't change but the smell makes it hard to use. I guess I would rather it smell bad than be sick though...
OUTPUT: neutral

INPUT: I like everything about the pill box except its size. I take a lot of supplements and the dispenser is just too small to hold all the pills that I take.
OUTPUT: neutral

INPUT: Very plain taste.. Carmel has so much more flavor but too pricy.. so pay less and get no flavor.. or pay a rediculous amount for very little of product..
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

INPUT: I don't like anything about it and I don't like that it is not able to be returned. JUNK!
OUTPUT: negative

INPUT: Very cheaply made, its not worth your money, ours came already broken and looks like it's been played with, retaped, resold.
OUTPUT: negative

INPUT: Product was not to my liking seemed diluted to other brands I have used, will not buy again. Sorry
OUTPUT: negative

INPUT: 2 out of three stopped working after two weeks.! Threw them all in the trash. Don't waste your money
OUTPUT: negative

INPUT: Please do not buy this! I was so excited and I got one for me and my co worker because we freeze in our offices. It's so small and barely even heats up. One of them didn't even work at all!
OUTPUT: negative

INPUT: I have returned it. Did not like it.
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

INPUT: Easy to install, fits perfectly, and does a good job.
OUTPUT: positive

INPUT: I never should've ordered this for my front porch steps. It had NO Adhesion and was a BIG disappointment.
OUTPUT: negative

INPUT: I used this product to take rust stains off my concrete driveway. It reduced the stains, but did not remove them completely. I'm hoping our Southern California sun will do the rest .
OUTPUT: neutral

INPUT: The light was easily assembled.... I had it up in about 15 minutes. Powered it up and I was in business. It has been running about a week or so and no problems to date.
OUTPUT: positive

INPUT: This is a well made device, much higher quality than the three previous cat feeders we've tried. The iOS app works well although the design is a little confusing at first. The portion control is good and the feeder mechanism has worked reliably. The camera provides a clear picture and it's great to be able to check remotely that the cat really is getting fed. Setup was relatively easy.
OUTPUT: positive

INPUT: Pretty easy to work with, the finished driveway looks very nice have to see over time how it lasts , Happy with the results .
OUTPUT:


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

INPUT: ordered and never received it.
OUTPUT: negative

INPUT: I received this in the mail and it was MISSING. The bag is ripped open and there is no bracelet to be found....
OUTPUT: negative

INPUT: DON'T!!! Mine stopped playing 3 days after return deadline ended.
OUTPUT: negative

INPUT: I don't like anything about it and I don't like that it is not able to be returned. JUNK!
OUTPUT: negative

INPUT: Just received in mail, I think I received a used one as it had writing in the first 3 pages. And someone else's name... Otherwise seems like pretty good quality
OUTPUT: neutral

INPUT: this was sent back, because I did not need it
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

INPUT: Bought this Feb 2019. Its already wore down and in need of replacement. I dont recommend one purchase this unless its jus for looks.
OUTPUT: negative

INPUT: This product does not work at all. I have tried it on two of my vehicles and it does not cover light scratches. Waste of money.
OUTPUT: negative

INPUT: Great lights! Super bright! Way better than stock! Fit my 2002 ford ranger no problem! Love the led look! Had for about a year and only one bulb went out around 6 months i emailed them my order number and address they sent me a new bulb within 2 days! Works great ever since!! Great product for the money! Great customer service!
OUTPUT: positive

INPUT: This item appears to be the same as one I purchased from a local hardware store a year or so ago, but it is not finished or burnished to the quality of the one I previously purchased. As such it looks dull, but not exceedingly so. It is close enough to be acceptable.
OUTPUT: neutral

INPUT: Lamp works perfectly for my chicks
OUTPUT: positive

INPUT: Shines dimly. broke on next day! Awful, terrible quality. Price is higher than any other. Do not waste time and money on this!
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

INPUT: Looking at orher reviews the tail was supposed to be obscenely long -- it was actually the perfect size but im not sure if thats intentional. The waist strap fits perfectly-- but again, need to list that my waist is fairly wide and it sat on my hips. Im unsure about the life of the strap. To the actual quality the fur seems of a fair (not great but not terrible quality but the tail isnt fully stuffed.) Apparently theres supposed to be a wire to pose the tail. There is none in mine, which is fine cause again, mine came up shorter than others. Im only rating 3 stars because of some unintentional good things.
OUTPUT: neutral

INPUT: Great idea! My nose is always cold and I can't fall asleep when it is cold, but for some reason this isn't keeping my nose warm.
OUTPUT: neutral

INPUT: I bought the tie-dyed version and it was SO comfortable. Stretchy breathable material. I decided to buy the black version for work. Bad decision! The material is completely different. It doesn’t stretch, it’s not breathable and it is very small and uncomfortable! It even seems it’s stitched differently so that it coveres 50% less of my head. So disappointing!!
OUTPUT: negative

INPUT: Very strong cheap pleather smell that took a few days to air out. One of the straps clips onto the zipper, so be careful of the zipper slowly coming undone as you walk.
OUTPUT: neutral

INPUT: Clasps broke off after having for only a few months 😢
OUTPUT: negative

INPUT: The strap is to long it keeps drink cold for maybe 2 hours. its very stylish
OUTPUT:


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

INPUT: Works good but wears up fast.
OUTPUT: neutral

INPUT: Really cute outfit and fit well. But, the two bows fell off the top the first time worn. The bows were glued on opposed to sewn.
OUTPUT: neutral

INPUT: The product fits fine and looks good. turn signal and heated mirror work. Unfortunately, the mirror vibrates on rough roads and rattles going over bumps. Plan to return it for a replacement.
OUTPUT: negative

INPUT: The quality is meh!! (treads are hanging out from places), however the colors are not the same (as seen on the display) :(
OUTPUT: neutral

INPUT: Quality was broken after 3rd use. I had a bad experience with this lost voice control.
OUTPUT: negative

INPUT: Works well, was great for my Injustice 2 Harley Quinn cosplay
OUTPUT:


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

INPUT: Very drying on my hair .
OUTPUT: negative

INPUT: I dislike this product it didnt hold water came smash in a bag and i just thow it in the trash
OUTPUT: negative

INPUT: Does not work as I thought it would. It really doesn't help much. It only last for like a hour.
OUTPUT: neutral

INPUT: Half of the pads were dried out. The others worked great!
OUTPUT: neutral

INPUT: I washed it and it lost much of its plush feel and color.
OUTPUT: neutral

INPUT: Does not dry like it is supposed to.
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

INPUT: You want an HONEST answer? I just returned from UPS where I returned the FARCE of an earring set to Amazon. It did NOT look like what I saw on Amazon. Only a baby would be able to wear the size of the earring. They were SO small. the size of a pin head I at first thought Amazon had forgotten to enclose them in the bag! I didn't bother to take them out of the bag and you can have them back. Will NEVER order another thing from your company. A disgrace. Honest enough for you? Grandma
OUTPUT: negative

INPUT: it does not work, only one hearing aid works at a time
OUTPUT: negative

INPUT: Bought this Feb 2019. Its already wore down and in need of replacement. I dont recommend one purchase this unless its jus for looks.
OUTPUT: negative

INPUT: These earbuds are really good.. I bought them for my wife and she is really impressed.. good sound quality.. no problem connecting to her phone.. and they look really good.. i like how the charging box looks as well.. i really think these are as good as the name brand buds.. would recommend to anyone..
OUTPUT: positive

INPUT: Worst fucking item I ever bought on Amazon I had a headache for 2 days on this bullshit I thought I had to go to the emergency room please don't but real costumer
OUTPUT: negative

INPUT: Right earbud has given our after less than 6 months of use. Do not buy.
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

INPUT: Ordered two identical rolls. One arrived with the vacuum bag having a large hole poked in the center - almost the size of the center hub hole. Since the roll arrives in a product box the hole either occurred before boxing at the manufacturer or I received a return. The seller responded promptly and asked for photos, which I provided. Then they asked if there was anything wrong with the product. Huh? I replied it has some issues (likely moisture related). Then they asked for details of issues. Huh? Well, I've had enough of providing them details of the damaged/defective product.
OUTPUT: neutral

INPUT: Not super durable. The bag holds up okay but the drawstrings sometimes tear if the bag gets past a couple lbs.
OUTPUT: neutral

INPUT: Very poorly packaged. The glasses banged each other. Should have been bubble wrapped. So bummed that I can’t use these for a party tonight!
OUTPUT: negative

INPUT: I dislike this product it didnt hold water came smash in a bag and i just thow it in the trash
OUTPUT: negative

INPUT: Cute bag zipper broke month after I bought it.
OUTPUT: neutral

INPUT: one bag was torn when it's delivered
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

INPUT: Total crap wouldn't even plug into the phone the pins were bent before I even tried to use it
OUTPUT: negative

INPUT: Great ideas in one device. One of those devices you pray you’ll never need, but I’m pretty sure are up for the task.
OUTPUT: positive

INPUT: it does not work, only one hearing aid works at a time
OUTPUT: negative

INPUT: Had some problems getting it to work. The supplied cable was no good - would not charge the battery. When I replaced cable with my own was able to charge and then connect the device via bluetooth to a PC. Had trouble finding the PC software but when I emailed their support they responded within a day with the correct download info. PC program works well for testing the unit after you figure out which port to use (port 4 in my case). The accuracy and stability of the unit look very good for my application, however I was not able to connect to either an iPhone or iPad (tried several of each) via bluetooth. Will have to hard-wire if I decide to use this device in my product.
OUTPUT: neutral

INPUT: These are very fragile. I have a cat who is a bit rambunctious and sometimes knocks my phone off my nightstand while it's plugged in. He managed to break all of these the first or second time he did that. I'm sure they're fine if you're very careful with them, but if whatever you're charging falls off a table or nightstand while plugged in, these are very likely to stop working quickly.
OUTPUT: negative

INPUT: One of them worked, the other one didn't. There's no apparent damage, it just won't work on multiple phones and with multiple wall ports.
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

INPUT: You want an HONEST answer? I just returned from UPS where I returned the FARCE of an earring set to Amazon. It did NOT look like what I saw on Amazon. Only a baby would be able to wear the size of the earring. They were SO small. the size of a pin head I at first thought Amazon had forgotten to enclose them in the bag! I didn't bother to take them out of the bag and you can have them back. Will NEVER order another thing from your company. A disgrace. Honest enough for you? Grandma
OUTPUT: negative

INPUT: Easy to use, quick and mostly painless!
OUTPUT: positive

INPUT: These are very fragile. I have a cat who is a bit rambunctious and sometimes knocks my phone off my nightstand while it's plugged in. He managed to break all of these the first or second time he did that. I'm sure they're fine if you're very careful with them, but if whatever you're charging falls off a table or nightstand while plugged in, these are very likely to stop working quickly.
OUTPUT: negative

INPUT: They are so comfortable that I don't even know I am wearing them.
OUTPUT: positive

INPUT: The first guard may serve more as a learning curve. I do kinda prefer to use the ones that come with molding trays. This didn't help until about 3-4 nights of use. Even then, sometimes it feels like my upper gum underneath, is strange feeling the next morning
OUTPUT: neutral

INPUT: ear holes are smaller so i can hurt after long use.
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

INPUT: Not worth it the data cable had to move it in a certain position to make it work i just returned it back.
OUTPUT: negative

INPUT: Overall I liked the phone especially for the price. The durability is my main issue I dropped the phone once onto a wood floor from about 12 inches and the screen cracked after having it for about 2 weeks. Otherwise it seemed to be a decent phone. It had a few little quirks that took a little getting used to but otherwise I think it wood be a good phone if it was more durable.
OUTPUT: neutral

INPUT: Received this file box last night, and begin to put my documents in as soon as I received it. It is very good for me as my husband and I get a lot paperwork to save. The colorful tags make it easier to find what I want. The material is strong. I finally get something to help with the messy drawer! Love this product! I believe I will buy another one when this one is full!
OUTPUT: positive

INPUT: Worst iPhone charger ever. The charger head broke after used for 5 Times. Terrible quality.
OUTPUT: negative

INPUT: I didn’t like that it was made out of plastic and that you had to put it together yourself.
OUTPUT: negative

INPUT: Not pleased with this external hard drive. I got it bc I don't have any storage space on my phone. I plugged it in to my iPhone and I have to download the app for it....which requires available storage space, which I don't have! It is also doesn't seem to be quality made. Disappointed overall.
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

INPUT: These are great for SO many things. Originally I had them in my drink at a club but then later bought them for my wedding center pieces. The light stays on for weeks but becomes dim after 3 or 4 days. We had a great time leaving the extra ones around the party and will use the extra ones for fun.
OUTPUT: positive

INPUT: Remote does work well, however the batteries do not last long. Disappointing.
OUTPUT: neutral

INPUT: Love them. have to turn off when not in use tho
OUTPUT: positive

INPUT: The light was easily assembled.... I had it up in about 15 minutes. Powered it up and I was in business. It has been running about a week or so and no problems to date.
OUTPUT: positive

INPUT: Great lights! Super bright! Way better than stock! Fit my 2002 ford ranger no problem! Love the led look! Had for about a year and only one bulb went out around 6 months i emailed them my order number and address they sent me a new bulb within 2 days! Works great ever since!! Great product for the money! Great customer service!
OUTPUT: positive

INPUT: Love the lights, however, if you leave them in the on position for more than a few days in order to use the remote, the batteries drain quickly whether the candles are actually lit up or not.
OUTPUT:


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

INPUT: Huge disappointment box was all messed up and toy was broken
OUTPUT: negative

INPUT: Can't wait for the next book to be published.
OUTPUT: positive

INPUT: don't like it, too lumpy
OUTPUT: neutral

INPUT: Just what I expected! Very nice!
OUTPUT: positive

INPUT: Wow. I want that time back. What a huge BORE!!
OUTPUT: negative

INPUT: Not happy. Not what we were hoping for.
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

INPUT: Absolutely terrible. I ordered these expecting a quality product for 10 dollars. They were shipped in an envelope inside of another envelope all just banging against each other while on their way to me from the seller. 3 of them are broken internally, they make a rattle noise as the ones that work do not. I will be requesting a refund for these and filing a complaint with Amazon. Don't purchase unless you like to buy broken/damaged goods. Completely worthless.
OUTPUT: negative

INPUT: Maybe it's just my luck because this seems to happen to me with other products but the motor broke in 2 weeks. That was a bummer. I liked it for the 2 weeks though!
OUTPUT: neutral

INPUT: Product received was not the product ordered. It was a different set without a kettle and their were ants crawling in and out of the box so i didnt even open it but the picture shows a different item with no kettle. I was sent the same thing as a replacement. Fast shipping though.
OUTPUT: negative

INPUT: The packaging of this product was terrible. Just the device with no instructions in a box with no bubble wrap. Device rolling around in a box 3x’s it’s size. No order slip.
OUTPUT: neutral

INPUT: It was a great kit to put together but one gear is warped and i am finding myself ripping my hair out sanding and adjusting it to try to get it to tick more than a few seconds at a time.
OUTPUT: neutral

INPUT: Not only was the product poorly packaged, it did not work and made a horrible grinding noise when turned on. To make matters worse, I followed ALL return instructions and still have not been issued my refund! Would give zero stars if I could.
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

INPUT: The small cover didn’t seem to work very well. I don’t feel that they do Avery good job from keeping the avocado from turning brown
OUTPUT: neutral

INPUT: The screen protector moves around and doesn't stick so it pops off or slides around
OUTPUT: negative

INPUT: So pretty...but the first time I unplugged it, the glass top came off of the base. There’s a plastic ring attached to the bottom of the glass part. It has notches - supposedly to allow you to twist it onto the nightlight base. You’d need to be able to do that in order to replace the bulb. I’ll try gorilla glue or something to see if the ring can be securely affixed to the glass. Surprisingly poor design for something so beautiful.
OUTPUT: negative

INPUT: It will not turn on. It was a gift and the person called and said it does not work. It won't turn on. I would like to send back and get either another or my money back.
OUTPUT: negative

INPUT: The paw prints are ALREADY coming off the bottom of the band where you snap it together, I've only worn it three times. Very upset that the paw prints have started rubbing off already 😡
OUTPUT: neutral

INPUT: The top part of the cover does not stay on.
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

INPUT: I really love this product. I love how big it is compare to others diaper changing pads. I love the extra pockets and on top of that you get a free insulated bottle bag. All of that for an amazing price.
OUTPUT: positive

INPUT: I have bought these cloths in the past, but never from Amazon. In contrast to previous purchases, these cloths do not absorb properly after the first wash. After washing they feel more like 'napkins'... very disappointed.
OUTPUT: negative

INPUT: Half of the pads were dried out. The others worked great!
OUTPUT: neutral

INPUT: The first guard may serve more as a learning curve. I do kinda prefer to use the ones that come with molding trays. This didn't help until about 3-4 nights of use. Even then, sometimes it feels like my upper gum underneath, is strange feeling the next morning
OUTPUT: neutral

INPUT: BEST NO SHOW SOCK EVER! Period, soft, NEVER slips, and is a slightly thick sock. Not to thick though, perfect for running shoes too!
OUTPUT: positive

INPUT: I'm never buying pads again! I've been using these for months now and I absolutely love them. They're super durable and easy to clean, great for people with sensitive skin or who have allergies. These are soft, hypoallergenic, and super absorbent without feeling like wearing a diaper or something (at least, that's how I used to feel wearing pads). The money you spend now saves you ever having to spend on pads again.
OUTPUT:


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

INPUT: never got it after a week when promised
OUTPUT: negative

INPUT: Smell doesn't last as long as I would like. When first opened, it smells great!
OUTPUT: neutral

INPUT: This sweatshirt changed my life. I wore this sweatshirt almost every single day from January 25th, 2017 up until last week or so when the hood fell off after almost a year of abuse. This sweatshirt has made me realize that the small things in life are the things that matter. Thank you Hanes, keep doing what you do. Love, Justin
OUTPUT: positive

INPUT: Started using it yesterday.. so far so good.. no side effects.. 1/4 of a teaspoon twice per day in protein shakes.. I guess it takes a few weeks for chronic potassium deficiency and chronic low acidic state to be reversed and for improvements on wellbeing to show.. I suggest seller supplies 1/8 spoon measure with this item and clear instructions on dosage because an overdose can be lethal
OUTPUT: neutral

INPUT: Wow. I want that time back. What a huge BORE!!
OUTPUT: negative

INPUT: Last me only couple of week
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

INPUT: Will continue to buy.
OUTPUT: positive

INPUT: I don't like anything about it and I don't like that it is not able to be returned. JUNK!
OUTPUT: negative

INPUT: I would buy it again. Just as a treat, was a nice little side dish pack for nights when me or my husband didn't want to cook.
OUTPUT: neutral

INPUT: The case and disc were clean when I got them. No cracks to the case and the game worked as needed. The game itself is wonderful, full of adventure. There isn't much in replay value per se, yet most of the players find themselves going back for more, if only to level up their characters.
OUTPUT: positive

INPUT: cheap and waste of money
OUTPUT: negative

INPUT: I not going to buy it again
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

INPUT: It’s a nice looking piece of furniture when assembled, but assembly was difficult. Some of the letter markings were incorrectly marked so I had to try and figure out on my own The screws they supplied to attach the floor and side panels all cracked. I had to go out and purchase corner brackets to make sure they stayed together. Also the glass panel doors are out of line and don’t match evenly. This alignment prevents one of the doors from staying closed as the magnet to keep the door closed is out of line. Still haven’t figured out to align them.
OUTPUT: neutral

INPUT: I reuse my Nespresso capsules and these fit perfectly and keep all coffee grounds out.
OUTPUT: positive

INPUT: Easy to clean as long as you clean it directly after using of course. Works great. Very happy
OUTPUT: positive

INPUT: The graphics were not centered and placed more towards the handle than what the Amazon image shows. Only the person drinking can see the graphics. I will be returning the item.
OUTPUT: negative

INPUT: Please note that it’s pretty small, so it’ll take a few trips to grind enough for a good session. Also the top is kinda tricky because you have to screw it on each time to grind.
OUTPUT: neutral

INPUT: This is an awesome coffee bar! We put it to fairly easy. Just make sure you look at the piece and figure out which is the front and back. I had to take it back apart and turn some around.
OUTPUT:


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

INPUT: Thin curtains that are only good for an accent. 56" wide is if you can stretch to maximum. Minimal light and noise reduction. NOT WORTH THE PRICE!!!
OUTPUT: negative

INPUT: very cute style and design, but tarnished after 1 wear!
OUTPUT: neutral

INPUT: My cousin has one for his kid, my daughter loves it. I got one for my back yard,but not easy to find a good spot to hang it. After i cut some trees, now its prefect. Having lots of fun with my daughter. Nice swing, easy to install.
OUTPUT: positive

INPUT: They’re cute and work well for my kids. Price is definitely great for kids sheets.
OUTPUT: positive

INPUT: Ummmm, buy a hard side for your expensive wreath. It is too thin to protect mine.
OUTPUT: neutral

INPUT: Very cute short curtains just what I was looking for for my new farmhouse style decor
OUTPUT:


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

INPUT: Overall I liked the phone especially for the price. The durability is my main issue I dropped the phone once onto a wood floor from about 12 inches and the screen cracked after having it for about 2 weeks. Otherwise it seemed to be a decent phone. It had a few little quirks that took a little getting used to but otherwise I think it wood be a good phone if it was more durable.
OUTPUT: neutral

INPUT: Cheap material. Broke after a couple month of usage and I emailed the company about it and never got a response. There are much better phone cases out there so don't waste your time with this one.
OUTPUT: negative

INPUT: Fits great kinda expensive but it’s good quality
OUTPUT: positive

INPUT: I mean the case looks cool. I don’t know anything about functionality but they sent me a iPhone 8 Plus case. The title says 6 plus, I ordered a 6 plus and there was no option on selecting another iPhone size beside 6 and 6 plus so I’m very disappointed in the service
OUTPUT: negative

INPUT: I like this case a lot but it broke on me 3 times lol it's not very durable but it's cute! the bumper and clear part will snap apart
OUTPUT: neutral

INPUT: Just as good as the other speck phone cases. It is just prettier
OUTPUT:


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

INPUT: Glass is extremely thin. Mine broke into a million shards. Very dangerous!
OUTPUT: neutral

INPUT: Ordered this for a Santa present and Christmas Eve noticed it came broken!
OUTPUT: negative

INPUT: Very poorly packaged. The glasses banged each other. Should have been bubble wrapped. So bummed that I can’t use these for a party tonight!
OUTPUT: negative

INPUT: So pretty...but the first time I unplugged it, the glass top came off of the base. There’s a plastic ring attached to the bottom of the glass part. It has notches - supposedly to allow you to twist it onto the nightlight base. You’d need to be able to do that in order to replace the bulb. I’ll try gorilla glue or something to see if the ring can be securely affixed to the glass. Surprisingly poor design for something so beautiful.
OUTPUT: negative

INPUT: DISAPPOINTED! Owl arrived missing stone for the right eye. Supposed to be a gift.
OUTPUT: neutral

INPUT: Glass was broken had to ship it back waiting on the new one to be here tomorrow hopefully not not broken.
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

INPUT: I opened a bottle of this smart water and took a large drink, it had a very strong disgusting taste (swamp water). I looked into the bottle and found many small particles were floating in the water... a few brown specs and some translucent white. I am completely freaked out and have contacted Coca-Cola, the product manufacture.
OUTPUT: negative

INPUT: these were ok, but to big for the craft I needed them for. Maybe find something to use them on.
OUTPUT: neutral

INPUT: Cute, soft and great for a baby that’s 1 and loves Bubble Guppies.
OUTPUT: positive

INPUT: There was some question on as to whether or not these were solid stainless steel or not on the listing. Since the seller made a point of saying they were solid, I decided to give it a shot. The bad news: my grill was 1/2" too wide, so I had to saw off the nubs on the end of the grates to fit. The good news: they are definitely solid stainless as advertised, so I am not worried about these grates de-laminating like my old factory grates. Glad I bought these. They look great, well-constructed and feel heavy duty. Can't wait to fire up the grill!
OUTPUT: positive

INPUT: Okay pool cue. However you can buy one 4 oz. lighter (21 oz,) for 1/3 the price of this 25 oz. cue. Not worth the extra money for the weight difference.
OUTPUT: neutral

INPUT: Loved that they were dishwasher safe and so colorful. Unfortunately they are not airtight so unsuitable for carbonated water. I just bought a soda stream and needed bottles for the water. It lost its carbonation ☹️
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

INPUT: The 8 year old nephew said he wanted this for his birthday. I felt it was a bit much for a toy but he caught me on a good day. Come to find out it's a fragile collectible so the nephew lost all the small parts the moment he opened it. I guess it's adequate for collectors that want detail on such a small figurine.
OUTPUT: neutral

INPUT: Awkward shape, does not fit all butter sticks
OUTPUT: neutral

INPUT: Our family does a game night most weeks and I got this thinking it would be fun to play. And it was. We played it 3 times (2 adults and 2 kids, 11 and 10) before we figured out how to win every time. Even the "more challenging" level is just more flooding, which, once solved, isn't much of a challenge. I was hoping for re-playability, but we've taken this one out of the rotation. Fun and interesting the first couple of times through, though.
OUTPUT: neutral

INPUT: Not all the colors of beads were included with my kit
OUTPUT: neutral

INPUT: The graphics were not centered and placed more towards the handle than what the Amazon image shows. Only the person drinking can see the graphics. I will be returning the item.
OUTPUT: negative

INPUT: We have another puzzle like this we love and were excited to add to ours but this is just circles with the smaller shapes painted on. Not what is looks like, no challenge
OUTPUT:


MODEL OUTPUT

 neutral


PARSE RESULT

 ['neutral']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

INPUT: Huge disappointment box was all messed up and toy was broken
OUTPUT: negative

INPUT: Just got the product and tested over the weekend for a big party. It turned out great for the 8lb ribs my hubby cooked. Got lots of compliments from the guests!
OUTPUT: positive

INPUT: What a wonderful first book in a new series. I love all of Ms. Kennedy’s books and I eagerly one clicked this one. It has engaging characters, a strong storyline and hot encounters. I really enjoyed it.
OUTPUT: positive

INPUT: Good Quality pendant and necklace, but gems are a little lacking in color.
OUTPUT: neutral

INPUT: Mango butter was extremely dry upon delivery.
OUTPUT: negative

INPUT: Hash brown main entree wasn't great, everything else was amazing. What else can you expect for an MRE?
OUTPUT:


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

INPUT: Good but arrived melted because of heat even though it had been boxed with ice pack which was melted!
OUTPUT: neutral

INPUT: She loved very much as a birthday gift and also said it will come in handy for all kinds of outings.
OUTPUT: positive

INPUT: Did not fit very well
OUTPUT: negative

INPUT: Nice router no issues
OUTPUT: positive

INPUT: My puppies loved it!
OUTPUT: positive

INPUT: Was OK but not wonderful
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

INPUT: Ordered these for a friend and he loved them!
OUTPUT: positive

INPUT: The clear backing lacks the stickiness to keep the letters adhered until you’re finished weeding! It’s so frustrating to have to keep up with a bunch of letters and pieces that have curled and fell off the paper! It requires additional work to make sure that they’re aligned properly and being applied on the right side, which was an issue for me several times! I purchased 3 packs of this and while it’s okay for larger designs, it sucks for lettering or anything intricate 😏 Possibly it’s old and dried out, but in any event, I will not be buying from this vendor again and suggest that you don’t either!
OUTPUT: negative

INPUT: Much smaller than what I expected. The quality was not that great the paper in the lower end of the cup was ruined after first wash with the kids.
OUTPUT: neutral

INPUT: Need better packaging. Rose just wiggles around in the box. Bouncing and damaging.
OUTPUT: neutral

INPUT: This was very easy to use and the cookies turned out great for the Boy Scout Ceremony!
OUTPUT: positive

INPUT: Quite happy with these cards. They are a larger size than many I've seen and the rose stickers for sealing are a nice touch.
OUTPUT:


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

INPUT: The dress looked nothing like the picture! It was short, tight and cheap looking and fitting!
OUTPUT: negative

INPUT: I like the price on these. Although they are ridiculously hard to open due to the 2 lines to lock it. Also they don’t stand up straight.
OUTPUT: neutral

INPUT: Beautifully crafted. No problem removing cake from pan and the cakes look very nice
OUTPUT: positive

INPUT: I didn’t like that it was made out of plastic and that you had to put it together yourself.
OUTPUT: negative

INPUT: spacious , love it and get many compliments
OUTPUT: positive

INPUT: Meh. Not as stylish as I would have thought and not very sturdy looking. 10/10 do regret.
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

INPUT: I was totally looking forward to using this because I tried the original solution and it was great but it burned my skin because I have sensitive skin but this one Burns and makes my make up look like crap I wouldn’t recommend it at all don’t waste your money
OUTPUT: negative

INPUT: Wore it when I went to the bar a couple times and the silver coating started to rub off but for the price I cannot complain. My biggest issue I have with it is it flipping around. Got a lot of compliments though.
OUTPUT: neutral

INPUT: Its good for the loose skin postpartum. I'm gonna use it for another waist trainer. Not tight enough.
OUTPUT: neutral

INPUT: I've been using this product with my laundry for a while now and I like it, but I had to return it because it wasn't packaged right and everything was damaged.
OUTPUT: negative

INPUT: Great idea! My nose is always cold and I can't fall asleep when it is cold, but for some reason this isn't keeping my nose warm.
OUTPUT: neutral

INPUT: I was amazed how good it works. That being said if you forget to put it on you will sweat like you did before. Would recommend to everyone.
OUTPUT:


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

INPUT: these were ok, but to big for the craft I needed them for. Maybe find something to use them on.
OUTPUT: neutral

INPUT: Huge disappointment box was all messed up and toy was broken
OUTPUT: negative

INPUT: They were supposed to be “universal” but did not cover the whole seat of a Dodge Ram 97
OUTPUT: negative

INPUT: Just what I expected! Very nice!
OUTPUT: positive

INPUT: The width and the depth were opposite of what it said, so they did not fit my cabinet.
OUTPUT: negative

INPUT: They were exactly what I was looking for.
OUTPUT:


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

INPUT: Just as advertised. Quick shipping.
OUTPUT: positive

INPUT: Great ideas in one device. One of those devices you pray you’ll never need, but I’m pretty sure are up for the task.
OUTPUT: positive

INPUT: My son Loves it for his 6 years old birthday! The package including everything you need. Highly recommend
OUTPUT: positive

INPUT: I don't like anything about it and I don't like that it is not able to be returned. JUNK!
OUTPUT: negative

INPUT: spacious , love it and get many compliments
OUTPUT: positive

INPUT: Great,just what I want
OUTPUT:


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

INPUT: The dress fits perfect! It’s a tad too long but not enough to bother with the hassle of getting it hemmed. The material is extremely comfortable and I love the pockets! I WILL be ordering a couple more in different colors.
OUTPUT: positive

INPUT: Easy to install, fits perfectly, and does a good job.
OUTPUT: positive

INPUT: They are so comfortable that I don't even know I am wearing them.
OUTPUT: positive

INPUT: Awesome little pillow! Made it easy to transport on my motorcycle.
OUTPUT: positive

INPUT: Its good for the loose skin postpartum. I'm gonna use it for another waist trainer. Not tight enough.
OUTPUT: neutral

INPUT: Great fit... very warm.. very comfortable
OUTPUT:


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

INPUT: My cousin has one for his kid, my daughter loves it. I got one for my back yard,but not easy to find a good spot to hang it. After i cut some trees, now its prefect. Having lots of fun with my daughter. Nice swing, easy to install.
OUTPUT: positive

INPUT: Good quality of figurine features
OUTPUT: positive

INPUT: As a hard shell jacket, it’s pretty good. I ordered the extra large for a skiing trip. It comes small so order a size bigger then normal. I can not use the fleece liner because it is too small. The hard shell is not water proof. I live in the Pacific Northwest and this is not enough to keep you dry. I really like the look of this jacket too.
OUTPUT: neutral

INPUT: I bought the surprise shirt for grandparents, but was sent one for an aunt. I was planning on surprising them with this shirt tomorrow in a cute way, but now I have to postpone the get together until I receive the correct item sent hopefully right this time.
OUTPUT: negative

INPUT: These sunglasses are GREAT quality, and super stylish. I didn't think I'd love any sunnies off of Amazon, but this was the first pair I took a chance on and I love them! Definitely a great buy!
OUTPUT: positive

INPUT: The umbrella itself is great but buyer beware they send you a random umbrella and not the design you pick. It's a good thing my daughter likes all the Disney princesses or I would have had an upset 3 year old. I picked a design that showed 4 different princesses on it and received one that had only snow white and the 7 dwarfs on it. When I went to the site I read the fine print that they pick the umbrellas at random so no need to return.
OUTPUT:


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

INPUT: After I gave it to my pet bunny, she didn't like it as much.
OUTPUT: neutral

INPUT: This is definitely the shampoo the Stars use. My hair is never smelt better or felt softer in my entire life. I felt like a model walking down the street with my hair bouncing and blowing in the wind. I highly recommend this product. I did not use it for a drug test, I just wanted to see if it would clean out the impurities from my hair which it seems to have done.
OUTPUT: positive

INPUT: The picture shows the fuel canister with the mosquito repeller attached so I assumed it would be included. However, when I opened the package I discovered there was no fuel. Since it is not included, the picture should be removed. If someone orders this and expects to use it immediately, like I did, they will be very disappointed.
OUTPUT: negative

INPUT: Well, I ordered the 100 pack and what came in the mail was silver eyeshadow....Yep, silver women’s eyeshadow...no blades....how does that happen???
OUTPUT: negative

INPUT: The item ordered came exactly as advertised. I highly recommend this vendor and would order from them again.
OUTPUT: positive

INPUT: I got my package today and it was used it came with dog hair all over it! I am really mad because my house is allergic to dogs!
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

INPUT: I did a lot of thinking as I read this book. I felt as though I could really picture what the main character was going through. The author did a great job describing the situations and events. I really rooted for the main character and felt her struggles. It seems as though she had to over come a lot to once again over come a lot. She had a group of interesting characters both supporting her and also ones who were against her. Not a plot to be predicted. I highly recommend this book. It grabbed my attention from the first page and had me thinking about it long after. I look forward to reading the author's next book.
OUTPUT: positive

INPUT: God loved them they were hot together like he said his half of a whole his Ying to his yang I loved everything about this book I hope X and Raven stay together and get only stronger together one isn’t the other without the other they need each other loved this book it is dark but smoking
OUTPUT: positive

INPUT: It’s ok, buttons are kind of confusing and after 4 months the power button is stuck and we can no longer turn it on or off. Sorta disappointed in this purchase.
OUTPUT: neutral

INPUT: Expected more out of the movie. Reviews indicated that this would be a cast of thousands, but ended up being maybe a couple of hundred people stranded on the beach. Over all ok, but expected more actors which history showed that over 100,000 stranded on the beach.
OUTPUT: neutral

INPUT: 3 1/2 Stars Remedy is a brothers best friend romance as well as a second chance romance mixed into one. It's a unique story, and the hero (Grady) has to do everything to get Collins back and prove he's the guy for her. Three years ago, Grady and Collins had an amazing night together. Collins thought she was finally getting everything she dreamed of, her brothers best friend... but when she woke up alone the next morning, and never heard from her, things definitely changed. Now Grady is back, and he's not leaving, and he's doing everything in his power to prove to her why he left, and that he's not giving her up this time around. While I loved the premise of this story, and at times Grady, he really got on my nerves. I totally understand his reasoning for leaving that night, but to not even send a letter to Collins explaining himself? To leave her wondering and hurt for all those years, and then expect her to welcome him back with open arms? Was he delusional?! Collins was right to be upset, angry, hurt, etc. She was right to put up a fight with him when he wanted her back and to move forward. I admire her will power, because Grady was persistent. I loved Collins in this book, she was strong, and she guarded her heart, and I admired her for that. Sure she loved Grady, but she was scared, and hesitant to let him back in her life, who wouldn't be after what he did to her? Her character was definitely my favorite out of the two. She definitely let things go at the pace she wanted, and when she was ready to listen, she listened. There is a lot of angst in this book, and I did enjoy watching these two reconnect when Collins started to forgive Grady, I just wish Grady would have not come off as so whiney and would have been a little more understanding. He kept saying he understood, but at times he was a little too pushy to me, and then he was sweet towards the end. I ended up loving him just as much as Collins, but in the beginning of the book, I had a hard time reading his points of view because I couldn't connect with his character. The first part of this book, was not my favorite, but he second part? I adored, hence my rating. If you like second chance, and brothers best friend romances, you may really enjoy this book, I just had a hard time with Grady at first and how he handled some of the things he did.
OUTPUT: neutral

INPUT: This book was okay I guess. I was not really fond of Jaime's views on things but oh well. Quinn was a wise cracker, but otherwise okay. Jaime should have set her parents down when she was younger and told them both they were messing up her life, maybe she wouldn't have been so messed up. Otherwise it was okay book.
OUTPUT:


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

INPUT: My husband is in law enforcement and loves this bag.
OUTPUT: positive

INPUT: It's nearly impossible to find a 5 gallon bucket that this seat fits onto. I'd recommend buying the 2 together so that you might get a set that fits.
OUTPUT: negative

INPUT: Installation instructions are vague and pins are cheap. It gets the job done but I dont feel it will last very long. Cheaply made. Update: lasted 3 months and I didn't even put the max weight on a single line.
OUTPUT: negative

INPUT: I hate to give this product one star when it probably deserves 5. My dog has chronic itchy skin and I had high hopes that this product would be the answer to his skin issues. I'll never know because he won't eat them. At first I gave them to him as a treat. He sniffed it and walked away. I crumbled just one up in his food but he was onto me and wouldn't touch it. So, sadly, the search continues.
OUTPUT: negative

INPUT: Picture was incredibly misleading. Shown as a large roll and figured the size would work for my project, then I received the size of a piece of paper.
OUTPUT: negative

INPUT: The description said 10 pound bag. There is no way this is 10 pounds. I get the 5 pound bags at the feed store and the 5 pound bag is bigger and heavier. I ordered two bags and I can lift both bags with one hand without trying.
OUTPUT:


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

INPUT: These little lights are awesome. They put off a nice amount of light. And you can put them ANYWHERE! I have put one in the pantry. Another in my linen closet. Another one right next to my bed for when I get up in the middle of the night. Have only had them about a month but so far so good!
OUTPUT: positive

INPUT: great throw for high end sofa, and works with any style even contemporary sleek sectionals
OUTPUT: positive

INPUT: This is a great little portable table. Easy to build and tuck away in a corner. One big flaw is that the tabletop comes off easily. Adjusting the height becomes a 2 hand job or else the top may come off when pressing the lever.
OUTPUT: neutral

INPUT: Love the humor and the stories. Very entertaining. BOL!!!
OUTPUT: positive

INPUT: Does not give out that much light
OUTPUT: neutral

INPUT: Love the light. Fits with out furniture. Great overall but the floor switch isn't convenient to possible add a switch on the light itself. We ended up running the floor switch up between the couch sections so we can operate the light without having to find the switch on the floor
OUTPUT:


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

INPUT: When i opened the package 2 of them were broken. Very disappointing
OUTPUT: negative

INPUT: I received this in the mail and it was MISSING. The bag is ripped open and there is no bracelet to be found....
OUTPUT: negative

INPUT: I hate to give this product one star when it probably deserves 5. My dog has chronic itchy skin and I had high hopes that this product would be the answer to his skin issues. I'll never know because he won't eat them. At first I gave them to him as a treat. He sniffed it and walked away. I crumbled just one up in his food but he was onto me and wouldn't touch it. So, sadly, the search continues.
OUTPUT: negative

INPUT: Just doesn't get hot enough for my liking. Its stashed away in the drawer.
OUTPUT: neutral

INPUT: I ordered Copic Bold Primaries and got Copic Ciao Rainbow instead. Amazon gave me a full refund but still annoying to have to reorder and hopefully get the right item.
OUTPUT: negative

INPUT: These picks are super cute but 1/2 of them were broken. When I tried to replace the item, there was no option for it.
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

INPUT: They are huge!! Want too big for me.
OUTPUT: neutral

INPUT: my expectations were low for a cheap scale. they were not met, scale doesnt work. popped the cover off the back to put a battery in and the wires were cut and damaged. wouldn't even turn on. sending it back. product is flimsy and cheap, spend 20 extra bucks on a better brand or scale.
OUTPUT: negative

INPUT: Too stiff, barely zips, and is very bulky
OUTPUT: negative

INPUT: I bought these for a Nerf battle birthday party for my son. We put buckets of these bullets out on the battlefield and they worked great! Highly recommend!
OUTPUT: positive

INPUT: Upsetting...these only work if you have a thin phone and or no phone case at all. I'm not going to take my phone's case (which isn't thick) off Everytime I want to use the stand. Wast of money. Don't buy if you use a phone case to protect your phone it's too thin.
OUTPUT: negative

INPUT: I was disappointed with these. I thought they would be heavier.
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

INPUT: Works very well. Easy to set alarms, and time. The snooze/backlight function is pretty neat too. The dim back light is also nice so that you can actually read the time in the dark.
OUTPUT: positive

INPUT: I did not receive the Fitbit Charge HR that I ordered, I got a Fitbit FLEX ,,, and I am very upset and do NOT like not receiving what I ordered
OUTPUT: negative

INPUT: Its good for the loose skin postpartum. I'm gonna use it for another waist trainer. Not tight enough.
OUTPUT: neutral

INPUT: Very good price for a nice quality bracelet. My sister loved her birthday present! She wears it everyday.
OUTPUT: positive

INPUT: Mediocre all around. Durability is "meh". Find a good (modular) set that will last you 10x the durability. This isn't the cheap Chinese headphones you have been looking for. Look for IEM
OUTPUT: neutral

INPUT: For a fitness tracker it is adequate. Heart rate monitor works ok. I feel it has missed steps in my everyday walking but if you start the monitor for fitness then it does well. If you hold anything in the arm with the tracker and cant move your arm it counts nothing. Battery life on the tracker is amazing. It lasts 7 to 8 days on a charge. It charges very fast. The wrist band is not very comfortable. Do to the way it charges i am not sure you can switch bands. I have not looked into this.
OUTPUT:


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

INPUT: Looks good. Clasp some times does not lock completely and the watch falls off. One time it fell off and the back cover popped off. I do get lots of compliments of color combination.
OUTPUT: neutral

INPUT: The clear backing lacks the stickiness to keep the letters adhered until you’re finished weeding! It’s so frustrating to have to keep up with a bunch of letters and pieces that have curled and fell off the paper! It requires additional work to make sure that they’re aligned properly and being applied on the right side, which was an issue for me several times! I purchased 3 packs of this and while it’s okay for larger designs, it sucks for lettering or anything intricate 😏 Possibly it’s old and dried out, but in any event, I will not be buying from this vendor again and suggest that you don’t either!
OUTPUT: negative

INPUT: I like these storage bins overall. The color of the lining inside wasn’t expected, it shows a light brown color in the photo but it’s pretty dark. I would have preferred the lining inside to match the outside, tan or grey. Other than that they are cute and look as pictured.
OUTPUT: neutral

INPUT: I ordered Copic Bold Primaries and got Copic Ciao Rainbow instead. Amazon gave me a full refund but still annoying to have to reorder and hopefully get the right item.
OUTPUT: negative

INPUT: The glitter gel flows, its super cute.
OUTPUT: positive

INPUT: I liked the color but the product don't stay latched or closed after putting any cards in the slots
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

INPUT: Clasps broke off after having for only a few months 😢
OUTPUT: negative

INPUT: Much smaller than what I expected. The quality was not that great the paper in the lower end of the cup was ruined after first wash with the kids.
OUTPUT: neutral

INPUT: Just received it and so far so good. No issues, did a great job. For a family on a budget trying to waste as least food as possible, it is a great investment and it was very affordable too.
OUTPUT: positive

INPUT: 2 out of four came busted
OUTPUT: neutral

INPUT: The first guard may serve more as a learning curve. I do kinda prefer to use the ones that come with molding trays. This didn't help until about 3-4 nights of use. Even then, sometimes it feels like my upper gum underneath, is strange feeling the next morning
OUTPUT: neutral

INPUT: Had for a week and my kid has already ripped 3 of the 4 while on the cup. So disappointed.
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

INPUT: Love this coverup! It’s super thin and very boho!! Always getting compliments on it!
OUTPUT: positive

INPUT: Warped. Does not sit flat on desk.
OUTPUT: negative

INPUT: Cheap material. Broke after a couple month of usage and I emailed the company about it and never got a response. There are much better phone cases out there so don't waste your time with this one.
OUTPUT: negative

INPUT: Much smaller than what I expected. The quality was not that great the paper in the lower end of the cup was ruined after first wash with the kids.
OUTPUT: neutral

INPUT: Thin curtains that are only good for an accent. 56" wide is if you can stretch to maximum. Minimal light and noise reduction. NOT WORTH THE PRICE!!!
OUTPUT: negative

INPUT: Very thin, see-through material. The front is much longer than the back.
OUTPUT:


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

INPUT: This door hanger is cute and all but its a bit small. My main complain is that, i cannot close my door because the bar latched to the door isnt flat enough.. Worst nightmare.
OUTPUT: negative

INPUT: Product does not stick well came loose and less than 24 hours after installing did everything correctly but just didn’t work
OUTPUT: negative

INPUT: The glitter gel flows, its super cute.
OUTPUT: positive

INPUT: I never should've ordered this for my front porch steps. It had NO Adhesion and was a BIG disappointment.
OUTPUT: negative

INPUT: I didn’t like that it was made out of plastic and that you had to put it together yourself.
OUTPUT: negative

INPUT: Great product! Great value! Didn’t realize it came with a self-sticking piece to hang door stop. So cool! Arrived on time, as expected, and seller even followed up to be sure I was happy.
OUTPUT:


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

INPUT: Had three weeks and corner grommet ripped out
OUTPUT: negative

INPUT: I have a feeling they were worn before , they came in a repackage but the stitching on the shoes as a slight pink hue to it ? Doesn’t really show up on camera. They’re still pretty new and fit a bit tight but I should have ordered a size up
OUTPUT: neutral

INPUT: It's super cute, really soft. Print is fine but mine is way too long. It's hits at the knee for everyone else but mine is like mid calf. Had to take a few inches off. I'm 5'4"
OUTPUT: neutral

INPUT: DISAPPOINTED! Owl arrived missing stone for the right eye. Supposed to be a gift.
OUTPUT: neutral

INPUT: They sent HyClean which is NOT for the US market therefore this is deceptive marketing
OUTPUT: negative

INPUT: Didnt get our bones at all
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

INPUT: BEST NO SHOW SOCK EVER! Period, soft, NEVER slips, and is a slightly thick sock. Not to thick though, perfect for running shoes too!
OUTPUT: positive

INPUT: I ordered two pairs of these shorts and was sent completely wrong sizes. I have both pairs same item ordered and the shorts are completely different sizes but are labeled the same size. One pair is 4 inches longer than the other.
OUTPUT: negative

INPUT: Solid value for the money. I’ve yet to have a problem with the first pair I bought. Buying a second for my second box.
OUTPUT: positive

INPUT: The paw prints are ALREADY coming off the bottom of the band where you snap it together, I've only worn it three times. Very upset that the paw prints have started rubbing off already 😡
OUTPUT: neutral

INPUT: I have a feeling they were worn before , they came in a repackage but the stitching on the shoes as a slight pink hue to it ? Doesn’t really show up on camera. They’re still pretty new and fit a bit tight but I should have ordered a size up
OUTPUT: neutral

INPUT: There are terrible! One sock is shorter and tighter than the other. The colors look faded when you put them on. These suck
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

INPUT: Easy to install, fits perfectly, and does a good job.
OUTPUT: positive

INPUT: Installation instructions are vague and pins are cheap. It gets the job done but I dont feel it will last very long. Cheaply made. Update: lasted 3 months and I didn't even put the max weight on a single line.
OUTPUT: negative

INPUT: Very easy install. Directions provided were simple to understand. Lamp worked on first try! Thanks!
OUTPUT: positive

INPUT: Nice router no issues
OUTPUT: positive

INPUT: This product worked just as designed and was very easy to install.The setup is so simple for each load on the trailer.I would def recommend this item for anyone needing a break controller.
OUTPUT: positive

INPUT: Easy to install. Looks good. Works well.
OUTPUT:


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

INPUT: Doesn’t even work . Did nothing for me :(
OUTPUT: negative

INPUT: These are very fragile. I have a cat who is a bit rambunctious and sometimes knocks my phone off my nightstand while it's plugged in. He managed to break all of these the first or second time he did that. I'm sure they're fine if you're very careful with them, but if whatever you're charging falls off a table or nightstand while plugged in, these are very likely to stop working quickly.
OUTPUT: negative

INPUT: They work really well for heartburn and stomach upset. But taking a couple stars off as capsules are poor quality and break. I lost over 30 in a bottle of 120 as they leaked. Powder ended up bottom of bottle.
OUTPUT: neutral

INPUT: they stopped working
OUTPUT: neutral

INPUT: Absolutely terrible. I ordered these expecting a quality product for 10 dollars. They were shipped in an envelope inside of another envelope all just banging against each other while on their way to me from the seller. 3 of them are broken internally, they make a rattle noise as the ones that work do not. I will be requesting a refund for these and filing a complaint with Amazon. Don't purchase unless you like to buy broken/damaged goods. Completely worthless.
OUTPUT: negative

INPUT: They don’t even work.
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

INPUT: So far my daughter loves it. She uses it for school backpack. As far as durable, we just got it, so we will have to see.
OUTPUT: positive

INPUT: Had three weeks and corner grommet ripped out
OUTPUT: negative

INPUT: I dislike this product it didnt hold water came smash in a bag and i just thow it in the trash
OUTPUT: negative

INPUT: This sweatshirt changed my life. I wore this sweatshirt almost every single day from January 25th, 2017 up until last week or so when the hood fell off after almost a year of abuse. This sweatshirt has made me realize that the small things in life are the things that matter. Thank you Hanes, keep doing what you do. Love, Justin
OUTPUT: positive

INPUT: Received this file box last night, and begin to put my documents in as soon as I received it. It is very good for me as my husband and I get a lot paperwork to save. The colorful tags make it easier to find what I want. The material is strong. I finally get something to help with the messy drawer! Love this product! I believe I will buy another one when this one is full!
OUTPUT: positive

INPUT: I got this backpack Monday night and I was excited about it because I had seen many great reviews for it. I used it for the first time the next day to hold a fair amount of things, and while I was out I noticed this huge rip right down the middle that wasn't there before. I would have been more understanding if I had it for a few months but this was the first time I had put anything into it. I've never been more disappointed in a product before as I have with this backpack. Be very careful when considering purchasing this product.
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

INPUT: Chair is really good for price! I have 6 children so I was looking for something not to expensive but good, this chair is really good comparing with others and good prices
OUTPUT: positive

INPUT: Beautifully crafted. No problem removing cake from pan and the cakes look very nice
OUTPUT: positive

INPUT: Arrived today and a bit disappointed. Great color and nice backing, BUT not thick and plush for the high price. Except fot the backing, you can find the same thickness at your local Walmart for a lot less money.
OUTPUT: neutral

INPUT: This is a great little portable table. Easy to build and tuck away in a corner. One big flaw is that the tabletop comes off easily. Adjusting the height becomes a 2 hand job or else the top may come off when pressing the lever.
OUTPUT: neutral

INPUT: Just received it and so far so good. No issues, did a great job. For a family on a budget trying to waste as least food as possible, it is a great investment and it was very affordable too.
OUTPUT: positive

INPUT: A great purchase. I was looking at pottery barn chairs but was so put off by their price that I looked elsewhere. This chair is very comfortable, looks fabulous, and great for nursing my baby.
OUTPUT:


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

INPUT: Awesome product. Have used on my hands several times since I received the product. My cuticles have softened and my hands are no longer dry.
OUTPUT: positive

INPUT: These make it really easy to use your small keyboard on your phone. Would recommend to everyone.
OUTPUT: positive

INPUT: You want an HONEST answer? I just returned from UPS where I returned the FARCE of an earring set to Amazon. It did NOT look like what I saw on Amazon. Only a baby would be able to wear the size of the earring. They were SO small. the size of a pin head I at first thought Amazon had forgotten to enclose them in the bag! I didn't bother to take them out of the bag and you can have them back. Will NEVER order another thing from your company. A disgrace. Honest enough for you? Grandma
OUTPUT: negative

INPUT: These bowls are wonderful. And the only reason I didn't give them a 5 is because I ordered RED bowls and received ORANGE bowls.
OUTPUT: neutral

INPUT: Solid value for the money. I’ve yet to have a problem with the first pair I bought. Buying a second for my second box.
OUTPUT: positive

INPUT: These are good Ukulele picks, but I still perfer to use my own fingers.
OUTPUT:


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

INPUT: Never noticed a big difference than a normal brush.
OUTPUT: neutral

INPUT: The graphics were not centered and placed more towards the handle than what the Amazon image shows. Only the person drinking can see the graphics. I will be returning the item.
OUTPUT: negative

INPUT: Wow. I want that time back. What a huge BORE!!
OUTPUT: negative

INPUT: Quality made from a family business. Sometimes a challenge to move around due to the chew toys hanging off but gives our puppy something to knaw on throughout the night. 5 month update: Our dog doesn't destroy many toys but since he truly loves this one he has ripped off the head, the tail rope, torn a few corner rope rings, put teeth marks in the internal foam and now ripped the underside of the cover. I'm giving this 4 stars still due to the simple fact that he LOVES this thing. Purchased right before they sold out, maybe the new model is more durable. Update with new model: The newer model has some areas where design has decreased in quality. The "tail" rope is not attached nearly as well as the first one. However, so far nothing has been ripped off of it in the 3 weeks since we have received it. He still loves it though!
OUTPUT: neutral

INPUT: It had to be changed very frequently. Even with the filter we had to empty the water and refill because the water would get nasty, the filters put black specs in the water. And it stopped working after 3 months
OUTPUT: negative

INPUT: I don't think we have seen much difference. Maybe we aren't doing it right.
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

INPUT: The light was easily assembled.... I had it up in about 15 minutes. Powered it up and I was in business. It has been running about a week or so and no problems to date.
OUTPUT: positive

INPUT: Granddaughter really likes it for her volleyball. well constructed and nice way to carry ball.
OUTPUT: positive

INPUT: Says it's charging but actually drains battery. Do not buy not worth the money.
OUTPUT: negative

INPUT: I have this installed under my spa cover to help maintain the heat. My spa is fully electric (including the heater), and this has done a good job reducing my overall electric bill by about 15% - 20% each month since last November. Quality is holding up fine, but it's out of the sun since it's under the spa cover. (Sorry, can't comment on what the longevity would be in the full sun.)
OUTPUT: positive

INPUT: Easy to use, quick and mostly painless!
OUTPUT: positive

INPUT: Its a nice small string with beautiful lights, but I misread I assumed it was battery operated and its not, we are having some power issues weather related and I thought it would be nice for extra lighting, its electric plus its has to be close to an outlet. not very useful.
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

INPUT: They were supposed to be “universal” but did not cover the whole seat of a Dodge Ram 97
OUTPUT: negative

INPUT: The small wrench was worthless. Ended up having to buy a new blender.
OUTPUT: negative

INPUT: So cute! And fit my son perfect so I’m not sure about an adult but probably would stretch.
OUTPUT: positive

INPUT: Ummmm, buy a hard side for your expensive wreath. It is too thin to protect mine.
OUTPUT: neutral

INPUT: The product fits fine and looks good. turn signal and heated mirror work. Unfortunately, the mirror vibrates on rough roads and rattles going over bumps. Plan to return it for a replacement.
OUTPUT: negative

INPUT: Listed to fit 2019 Subaru Forester. It doesn't fit 2019.
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

INPUT: Worst iPhone charger ever. The charger head broke after used for 5 Times. Terrible quality.
OUTPUT: negative

INPUT: The iron works good, but its very small, almost delicate. The insulation parts on the tip were plastic not ceramic. Came with the plug that's a bonus. But it took quite a bit longer then most things on amazon to ship. I use it for soldering race drones, i ordered the smaller tip, and its actually to small for all but my micro drones. Had to order another tip. Gets hot pretty quick. Apparently this is a firmware upgrade you can do to make it better, but i didn't have to use it.
OUTPUT: neutral

INPUT: I like this product, make me feel comfortable. I can use it convenient. The price is very cheap.
OUTPUT: positive

INPUT: I initially was impressed by the material quality of the headphones, but as I connected the headphones to listen to my song there was a problem. There is constantly this weird "old cable tv that has lost it's signal sound" in the background when trying to listen to anything. Pretty disappointed.
OUTPUT: neutral

INPUT: This cable is not of very good quality. It doesn’t fit right so you have to hold the connector to the port in order to work.
OUTPUT: negative

INPUT: I loved this adapter. Arrived on time and material used was good quality. It works great, this is convenient when I use this in my car, it can use headset when you charging. It is a very good product!
OUTPUT:


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

INPUT: I read a review from someone stating that this case had a lip on it to protect the screen. That person is mentally insane because there is zero lip what so ever. very annoyed
OUTPUT: neutral

INPUT: These make it really easy to use your small keyboard on your phone. Would recommend to everyone.
OUTPUT: positive

INPUT: Cheap material. Broke after a couple month of usage and I emailed the company about it and never got a response. There are much better phone cases out there so don't waste your time with this one.
OUTPUT: negative

INPUT: I ordered a screen for an iPhone 8 Plus, but recevied product that was for a different phone. A significantly smaller phone.
OUTPUT: negative

INPUT: I like this case a lot but it broke on me 3 times lol it's not very durable but it's cute! the bumper and clear part will snap apart
OUTPUT: neutral

INPUT: pretty case doesnt have any protection on front of phone so you will need an additional screen protector
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

INPUT: Quality was broken after 3rd use. I had a bad experience with this lost voice control.
OUTPUT: negative

INPUT: reception is quite bad compared to your stock antenna on any whoop camera. just buy the normal antenna
OUTPUT: neutral

INPUT: I didn’t like that it was made out of plastic and that you had to put it together yourself.
OUTPUT: negative

INPUT: Fantastic buy! Computer arrived quickly and was well packaged. Everything looks and performs like new. I had a problem with a cable. I contacted the seller and they immediately sent me out a new one. I can't say enough good things about about this purchase and this computer. I will definitely use them again.
OUTPUT: positive

INPUT: I initially was impressed by the material quality of the headphones, but as I connected the headphones to listen to my song there was a problem. There is constantly this weird "old cable tv that has lost it's signal sound" in the background when trying to listen to anything. Pretty disappointed.
OUTPUT: neutral

INPUT: Extremely disappointed. The video from this camera is great. The audio is a whole other story!!! No matter what I do I get tons of static. Ive used several different external mics and the audio always ends up being unusable. I really wish I would've researched this camera some more before buying it. Man what a waste of money.
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

INPUT: Just what I expected! Very nice!
OUTPUT: positive

INPUT: 2 out of four came busted
OUTPUT: neutral

INPUT: never got it after a week when promised
OUTPUT: negative

INPUT: Really cute outfit and fit well. But, the two bows fell off the top the first time worn. The bows were glued on opposed to sewn.
OUTPUT: neutral

INPUT: Expected more out of the movie. Reviews indicated that this would be a cast of thousands, but ended up being maybe a couple of hundred people stranded on the beach. Over all ok, but expected more actors which history showed that over 100,000 stranded on the beach.
OUTPUT: neutral

INPUT: Everyone got a good laugh
OUTPUT:


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

INPUT: Easy to install, fits perfectly, and does a good job.
OUTPUT: positive

INPUT: Very cheap a dollar store item and u can not sweep all material into pan as the edge is not beveled correctly
OUTPUT: negative

INPUT: I love the glass design and the shape is comfortable in one hand. My first purchase of this kettle lasted for two years of daily use. The hinge on the lid is fragile, and since the lid doesn't flip entirely back - it gets strained and broke within the year. Everything else worked fine until the auto shut-off stopped working after two years. For safety, I bought a new one which has now stopped working entirely after 17 months. I still love the design, but for $58 I expected it to last longer.
OUTPUT: neutral

INPUT: I like these storage bins overall. The color of the lining inside wasn’t expected, it shows a light brown color in the photo but it’s pretty dark. I would have preferred the lining inside to match the outside, tan or grey. Other than that they are cute and look as pictured.
OUTPUT: neutral

INPUT: I found this stable and very helpful to get things off the floor, as well as to be able to store below and on top of. Nice that it's adjustable.
OUTPUT: positive

INPUT: Excellent workmanship, beautiful appearance, and just the right size, installation is simple, special and stable. It can put a lot of things such as the usual utensils, dishes, and cups however, the biggest advantage is that it can save space.
OUTPUT:


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

INPUT: Whoever packed this does not care or has a lot to learn about dunnage.
OUTPUT: negative

INPUT: Product received was not the product ordered. It was a different set without a kettle and their were ants crawling in and out of the box so i didnt even open it but the picture shows a different item with no kettle. I was sent the same thing as a replacement. Fast shipping though.
OUTPUT: negative

INPUT: I bought the surprise shirt for grandparents, but was sent one for an aunt. I was planning on surprising them with this shirt tomorrow in a cute way, but now I have to postpone the get together until I receive the correct item sent hopefully right this time.
OUTPUT: negative

INPUT: DISAPPOINTED! Owl arrived missing stone for the right eye. Supposed to be a gift.
OUTPUT: neutral

INPUT: When i opened the package 2 of them were broken. Very disappointing
OUTPUT: negative

INPUT: I did not receive my package yet The person Noel B is not living here I don't know Him Please take a picture of the person you giving the package thank you
OUTPUT:


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

INPUT: I never received my item that I bought and it’s saying it was delivered.
OUTPUT: negative

INPUT: I don't like anything about it and I don't like that it is not able to be returned. JUNK!
OUTPUT: negative

INPUT: It will not turn on. It was a gift and the person called and said it does not work. It won't turn on. I would like to send back and get either another or my money back.
OUTPUT: negative

INPUT: We return the batteries and never revive a refund
OUTPUT: negative

INPUT: Absolutely terrible. I ordered these expecting a quality product for 10 dollars. They were shipped in an envelope inside of another envelope all just banging against each other while on their way to me from the seller. 3 of them are broken internally, they make a rattle noise as the ones that work do not. I will be requesting a refund for these and filing a complaint with Amazon. Don't purchase unless you like to buy broken/damaged goods. Completely worthless.
OUTPUT: negative

INPUT: I never received the item, it was said to arrive late for about 10 days, and yet not arrived. When it was showing expected receiving the next day, I thought just cancel and return it since it was so late. The refund processed without issues and received an email told me just keep it, but actually I never received the item.
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

INPUT: I'm really pissed off about this tiny brush that was sent with the bottle. This has to be a joke. I've purchased smaller water bottles and received a brush bigger/better than this.
OUTPUT: neutral

INPUT: The dress looked nothing like the picture! It was short, tight and cheap looking and fitting!
OUTPUT: negative

INPUT: You want an HONEST answer? I just returned from UPS where I returned the FARCE of an earring set to Amazon. It did NOT look like what I saw on Amazon. Only a baby would be able to wear the size of the earring. They were SO small. the size of a pin head I at first thought Amazon had forgotten to enclose them in the bag! I didn't bother to take them out of the bag and you can have them back. Will NEVER order another thing from your company. A disgrace. Honest enough for you? Grandma
OUTPUT: negative

INPUT: I never received my item that I bought and it’s saying it was delivered.
OUTPUT: negative

INPUT: I give this product zero stars. The bottle appears very old as if it has been sitting on a shelf in the sun. The expiration date is May 2020.
OUTPUT: negative

INPUT: Honestly this says 10oz my bottles I received wore a 4oz bottle
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

INPUT: Didn't expect much for the price, and that's about what I got. It covers and protects my table, just have to live with a grid of folds from packaging. Seller advised to use a hair dryer to flatten out the wrinkles, but it was a very painstakingly slow process that only took some of the sharp edges off of the folds, didn't make much difference. Going to invest in something better (and much more expensive) for daily use, this is OK for what it does.
OUTPUT: neutral

INPUT: These little lights are awesome. They put off a nice amount of light. And you can put them ANYWHERE! I have put one in the pantry. Another in my linen closet. Another one right next to my bed for when I get up in the middle of the night. Have only had them about a month but so far so good!
OUTPUT: positive

INPUT: We bring the kid to Cape Cod this long weekend. The shelter is very helpful when we stay on the beach. Kid feel comfortable when she was in the shelter. It was cool inside of shelter especially if you put some water on the top of the shelter. It is also very easy to carry and set up. It is a good product with high quality.
OUTPUT: positive

INPUT: Easy to use, quick and mostly painless!
OUTPUT: positive

INPUT: I found this stable and very helpful to get things off the floor, as well as to be able to store below and on top of. Nice that it's adjustable.
OUTPUT: positive

INPUT: Lite and easy to use, folds with ease and can be stored in the back seat, but the elastic which holds the shade closed failed within two weeks. Really didn't expect it to last much longer anyway. The price was good so likely will buy again next year.
OUTPUT:


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

INPUT: These are great for SO many things. Originally I had them in my drink at a club but then later bought them for my wedding center pieces. The light stays on for weeks but becomes dim after 3 or 4 days. We had a great time leaving the extra ones around the party and will use the extra ones for fun.
OUTPUT: positive

INPUT: Says it's charging but actually drains battery. Do not buy not worth the money.
OUTPUT: negative

INPUT: Does not give out that much light
OUTPUT: neutral

INPUT: I have this installed under my spa cover to help maintain the heat. My spa is fully electric (including the heater), and this has done a good job reducing my overall electric bill by about 15% - 20% each month since last November. Quality is holding up fine, but it's out of the sun since it's under the spa cover. (Sorry, can't comment on what the longevity would be in the full sun.)
OUTPUT: positive

INPUT: So pretty...but the first time I unplugged it, the glass top came off of the base. There’s a plastic ring attached to the bottom of the glass part. It has notches - supposedly to allow you to twist it onto the nightlight base. You’d need to be able to do that in order to replace the bulb. I’ll try gorilla glue or something to see if the ring can be securely affixed to the glass. Surprisingly poor design for something so beautiful.
OUTPUT: negative

INPUT: Great lite when plugged in, but light is much dimmer when used on battery mode.
OUTPUT:


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

INPUT: ordered and never received it.
OUTPUT: negative

INPUT: The iron works good, but its very small, almost delicate. The insulation parts on the tip were plastic not ceramic. Came with the plug that's a bonus. But it took quite a bit longer then most things on amazon to ship. I use it for soldering race drones, i ordered the smaller tip, and its actually to small for all but my micro drones. Had to order another tip. Gets hot pretty quick. Apparently this is a firmware upgrade you can do to make it better, but i didn't have to use it.
OUTPUT: neutral

INPUT: Perfect, came with everything needed. God quality and fit perfectly. Much less then original brand.
OUTPUT: positive

INPUT: I ordered green but was sent grey. Bought it to secure outside plants/shrubs to wooden poles. Wrong color but I'll make it work.
OUTPUT: neutral

INPUT: Maybe it's just my luck because this seems to happen to me with other products but the motor broke in 2 weeks. That was a bummer. I liked it for the 2 weeks though!
OUTPUT: neutral

INPUT: I am very annoyed because it came a day late and it didn’t come with the ferro rod and striker which is the main reason why I ordered it
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

INPUT: Just doesn't get hot enough for my liking. Its stashed away in the drawer.
OUTPUT: neutral

INPUT: Wouldn’t keep air the first day of use!!!
OUTPUT: negative

INPUT: Took a bottle to Prague with me but it just did not seem to do much.
OUTPUT: negative

INPUT: I love the glass design and the shape is comfortable in one hand. My first purchase of this kettle lasted for two years of daily use. The hinge on the lid is fragile, and since the lid doesn't flip entirely back - it gets strained and broke within the year. Everything else worked fine until the auto shut-off stopped working after two years. For safety, I bought a new one which has now stopped working entirely after 17 months. I still love the design, but for $58 I expected it to last longer.
OUTPUT: neutral

INPUT: Bought as gifts and me. we all love how this really cleans our electronics and my glasses
OUTPUT: positive

INPUT: I love that it keeps the wine cold.
OUTPUT:


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

INPUT: These do run large than expected. I wear a size 6 ordered 5-6 and they are way to big, I have to wear socks to keep them on . Plus I thought they would be thicker inside but after wearing them for a few days they seemed to break down . I will try to find a better pair
OUTPUT: neutral

INPUT: I have bought these cloths in the past, but never from Amazon. In contrast to previous purchases, these cloths do not absorb properly after the first wash. After washing they feel more like 'napkins'... very disappointed.
OUTPUT: negative

INPUT: I love how the waist doesn't have an elastic band in them. I have a bad back and tight waist bands always make my back feel worse.These feel decent...although If they could make them just one size larger..and not just offer plus size....that would be even better for my back.
OUTPUT: positive

INPUT: The paw prints are ALREADY coming off the bottom of the band where you snap it together, I've only worn it three times. Very upset that the paw prints have started rubbing off already 😡
OUTPUT: neutral

INPUT: The black one with the tassels on the front and it looks pretty cute, perfect for summer. I have broad shoulders so the looseness was great for me but if you are more petit you might not love how oversized it can look (specially the sleeves). Please note, it does SHRINK after washing (not even drying) so beware!! Also, it is very short but cute nonetheless.
OUTPUT: neutral

INPUT: I think I got a size too big and their are weird wrinkling at the thigh area. I got them bigger to be appropriate for casual work or church social occasions without fitting too tight. The color was nice and the pair I have are soft. I will try washing them in hot water to see if they shrink a little.
OUTPUT:


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

INPUT: So far my daughter loves it. She uses it for school backpack. As far as durable, we just got it, so we will have to see.
OUTPUT: positive

INPUT: Upsetting...these only work if you have a thin phone and or no phone case at all. I'm not going to take my phone's case (which isn't thick) off Everytime I want to use the stand. Wast of money. Don't buy if you use a phone case to protect your phone it's too thin.
OUTPUT: negative

INPUT: This is a knock off product. This IS NOT a puddle jumper brand float but a flimsy knock off instead. It is missing all stearns and puddle jumper branding on the arms. Do not buy!
OUTPUT: negative

INPUT: This case is ok, but not exceptional - a 3.5 or 4 max. The issue is there are fewer cases available for the Tab A 10.1 w S pen. Of those the Gumdrop is about the best, but it has some serious issues. The case rubber (silicone, whatever) is very smooth and slick, and doesn't give you a lot of confidence when hold the Tab with one hand. The Tab A is heavy so if your laying down watching a video the case slips in your hand so you have to make frequent adjustments. I had to remove the clear plastic shield that covers the screen because it impaired the touch screen operation. This affected the strength of the 1-piece plastic frame the surrounds the Tab A, so now the rubber outer cover feels really flexible and flimsy. Lastly, they made it difficult to get to the S pen. The S pen is in the back bottom right hand corner of the Tab A, and they made the little rubber flap that protects corner swing backwards for access to the S pen. This means in order to get the S pen out, the flap has to swing out 180 degrees. This is really awkward and hard to do with one hand. This case does a good job protecting my Tab A, but with these serious design flaws I can't recommend it unless you have an S pen, then you don't have much choice.
OUTPUT: neutral

INPUT: I found this stable and very helpful to get things off the floor, as well as to be able to store below and on top of. Nice that it's adjustable.
OUTPUT: positive

INPUT: Great product, I got this for my dad because he tends to drop a lot of objects and when i got him his airpod case, i was worried it might break. This case did the job and the texture made it non slip so it wont fall off surfaces as easily. The clip also makes it easy for my dad to clip it to his work bag so it wont get lost easily.
OUTPUT:


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

INPUT: Disappointed. There's this pink discoloration all over the back of the shirt. It's like someone already wore this
OUTPUT: negative

INPUT: The toy is ok but it came in what they call "standard packaging" and that amounted to a plain brown cardboard box, NOT the colorful box in the photo. Can't give this as a gift in this cardboard packaging.
OUTPUT: neutral

INPUT: I opened a bottle of this smart water and took a large drink, it had a very strong disgusting taste (swamp water). I looked into the bottle and found many small particles were floating in the water... a few brown specs and some translucent white. I am completely freaked out and have contacted Coca-Cola, the product manufacture.
OUTPUT: negative

INPUT: It's only been a few weeks and it looks moldy & horrible. I bought from the manufacturer last year and had no problems.
OUTPUT: negative

INPUT: I ordered green but was sent grey. Bought it to secure outside plants/shrubs to wooden poles. Wrong color but I'll make it work.
OUTPUT: neutral

INPUT: The color is mislabeled. This is supposed to be brown/blonde but comes out almost white. Completely unusable.
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

INPUT: Easy to install, fits perfectly, and does a good job.
OUTPUT: positive

INPUT: It was a great kit to put together but one gear is warped and i am finding myself ripping my hair out sanding and adjusting it to try to get it to tick more than a few seconds at a time.
OUTPUT: neutral

INPUT: Installation instructions are vague and pins are cheap. It gets the job done but I dont feel it will last very long. Cheaply made. Update: lasted 3 months and I didn't even put the max weight on a single line.
OUTPUT: negative

INPUT: This fan was checked out before the installer left. Later that day I turned it on and the globe was wobbling a lot. He was able to return the next day and discovered that the screws fastening the globe were loose already. He replaced them with some bigger screws he had with him. That was two weeks ago and the fan is still fine. It is very attractive and quiet.
OUTPUT: neutral

INPUT: I didn’t like that it was made out of plastic and that you had to put it together yourself.
OUTPUT: negative

INPUT: Easy to install and keep my threadripper nice and cool!
OUTPUT:


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

INPUT: Arrived today and a bit disappointed. Great color and nice backing, BUT not thick and plush for the high price. Except fot the backing, you can find the same thickness at your local Walmart for a lot less money.
OUTPUT: neutral

INPUT: It will do the job of holding shoes. It's not glamorous, but it holds shoes and stands in a closet. You will need help with the shelving assembly as it is a two person job.
OUTPUT: neutral

INPUT: The dress fits perfect! It’s a tad too long but not enough to bother with the hassle of getting it hemmed. The material is extremely comfortable and I love the pockets! I WILL be ordering a couple more in different colors.
OUTPUT: positive

INPUT: The beige mat looked orange on my beige flooring so I returned it and ordered a gray mat from another company that was $7 less to be safe on the color.
OUTPUT: neutral

INPUT: great throw for high end sofa, and works with any style even contemporary sleek sectionals
OUTPUT: positive

INPUT: This is a beautiful rug. exactly what I was looking for. When I received it, I was very impressed with the color. However, it is very thin. My dinning room table sets on it so I don't think it will get much wear. I hope it will hold up over time.
OUTPUT:


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

INPUT: My dog loves this toy, I haven't seen hear more thrill with any other toy, for the first three days, which is how long the squeaker lasted. She is not a heavy chewer, and in one of her "victory walks" after retrieving the ball, the squeaker was already gone. Apart from that it is my best investment
OUTPUT: neutral

INPUT: Ordered this for a Santa present and Christmas Eve noticed it came broken!
OUTPUT: negative

INPUT: My puppies loved it!
OUTPUT: positive

INPUT: The toy is ok but it came in what they call "standard packaging" and that amounted to a plain brown cardboard box, NOT the colorful box in the photo. Can't give this as a gift in this cardboard packaging.
OUTPUT: neutral

INPUT: Quality made from a family business. Sometimes a challenge to move around due to the chew toys hanging off but gives our puppy something to knaw on throughout the night. 5 month update: Our dog doesn't destroy many toys but since he truly loves this one he has ripped off the head, the tail rope, torn a few corner rope rings, put teeth marks in the internal foam and now ripped the underside of the cover. I'm giving this 4 stars still due to the simple fact that he LOVES this thing. Purchased right before they sold out, maybe the new model is more durable. Update with new model: The newer model has some areas where design has decreased in quality. The "tail" rope is not attached nearly as well as the first one. However, so far nothing has been ripped off of it in the 3 weeks since we have received it. He still loves it though!
OUTPUT: neutral

INPUT: My dog is loving her new toy. She has torn up others very quick, so far so good here. L
OUTPUT:


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

INPUT: I had it less than a week and the c type tip that connects to my S9 got burnt.
OUTPUT: negative

INPUT: Ordered this for a Santa present and Christmas Eve noticed it came broken!
OUTPUT: negative

INPUT: We bought it in hopes my son would stop sucking his thumb. He doesn't suck it when it's on but when it's off for eating, bathing, washing hands... he will still do it. We are now going to try the nail polish with bitter taste. This is a good idea, my son just needs something stronger to beat it.
OUTPUT: neutral

INPUT: Had three weeks and corner grommet ripped out
OUTPUT: negative

INPUT: The iron works good, but its very small, almost delicate. The insulation parts on the tip were plastic not ceramic. Came with the plug that's a bonus. But it took quite a bit longer then most things on amazon to ship. I use it for soldering race drones, i ordered the smaller tip, and its actually to small for all but my micro drones. Had to order another tip. Gets hot pretty quick. Apparently this is a firmware upgrade you can do to make it better, but i didn't have to use it.
OUTPUT: neutral

INPUT: Tip broke after a few weeks of use.
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

INPUT: Solid value for the money. I’ve yet to have a problem with the first pair I bought. Buying a second for my second box.
OUTPUT: positive

INPUT: Don't buy this game the physics are terrible and I am so mad at this game because probably there are about 40 hackers on every single game and the game. Don't doesn't even do anything about it you know they just let the hackers do whatever they want and then they do know that the game is terrible but they're doing absolutely nothing about it and the game keeps on doing updates about their characters really what they should be updating is the physics because it's terrible don't buy this game the physics are terrible and mechanics are terrible the people that obviously the people that built this game was high or something because it's one of the worst games I've honestly ever played in my life I would rather play Pixel Games in this crap it's one of the worst games don't buy
OUTPUT: negative

INPUT: This case is ok, but not exceptional - a 3.5 or 4 max. The issue is there are fewer cases available for the Tab A 10.1 w S pen. Of those the Gumdrop is about the best, but it has some serious issues. The case rubber (silicone, whatever) is very smooth and slick, and doesn't give you a lot of confidence when hold the Tab with one hand. The Tab A is heavy so if your laying down watching a video the case slips in your hand so you have to make frequent adjustments. I had to remove the clear plastic shield that covers the screen because it impaired the touch screen operation. This affected the strength of the 1-piece plastic frame the surrounds the Tab A, so now the rubber outer cover feels really flexible and flimsy. Lastly, they made it difficult to get to the S pen. The S pen is in the back bottom right hand corner of the Tab A, and they made the little rubber flap that protects corner swing backwards for access to the S pen. This means in order to get the S pen out, the flap has to swing out 180 degrees. This is really awkward and hard to do with one hand. This case does a good job protecting my Tab A, but with these serious design flaws I can't recommend it unless you have an S pen, then you don't have much choice.
OUTPUT: neutral

INPUT: Received this file box last night, and begin to put my documents in as soon as I received it. It is very good for me as my husband and I get a lot paperwork to save. The colorful tags make it easier to find what I want. The material is strong. I finally get something to help with the messy drawer! Love this product! I believe I will buy another one when this one is full!
OUTPUT: positive

INPUT: 2 out of four came busted
OUTPUT: neutral

INPUT: This gets three stars because it did not give me exactly what I ordered. I ordered 4 of the 100 card lots. So, I wanted 100 Unstable MTG cards per box. Instead, I was given 97 Unstable cards per box, and 4 random MTG commons. I paid for 100 Unstable cards! Not 97 and 4 random cards! Also, the boxes they advertise are not too great. They do the job of holding the cards, but that's about it. I'm definitely getting a new case for these. If you want to buy, don't take it too seriously. Don't expect all 100 cards to be Unstable, and expect multiples.
OUTPUT:


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

INPUT: I was totally looking forward to using this because I tried the original solution and it was great but it burned my skin because I have sensitive skin but this one Burns and makes my make up look like crap I wouldn’t recommend it at all don’t waste your money
OUTPUT: negative

INPUT: Okay pool cue. However you can buy one 4 oz. lighter (21 oz,) for 1/3 the price of this 25 oz. cue. Not worth the extra money for the weight difference.
OUTPUT: neutral

INPUT: Horrible after taste. I can imagine "Pine Sol Cleaning liquid" tasting like this. Very strange. It's a NO for me.
OUTPUT: negative

INPUT: Does not work mixed this with process solution and 000 and nothing. Looked exactly the same as i first put it on.
OUTPUT: negative

INPUT: High quality product. I prefer the citrate formula over other types of magnesium
OUTPUT: positive

INPUT: I have been using sea salt and want to mix this in for the iodine.
OUTPUT:


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

INPUT: This fan was checked out before the installer left. Later that day I turned it on and the globe was wobbling a lot. He was able to return the next day and discovered that the screws fastening the globe were loose already. He replaced them with some bigger screws he had with him. That was two weeks ago and the fan is still fine. It is very attractive and quiet.
OUTPUT: neutral

INPUT: 2 out of three stopped working after two weeks.! Threw them all in the trash. Don't waste your money
OUTPUT: negative

INPUT: These are great for SO many things. Originally I had them in my drink at a club but then later bought them for my wedding center pieces. The light stays on for weeks but becomes dim after 3 or 4 days. We had a great time leaving the extra ones around the party and will use the extra ones for fun.
OUTPUT: positive

INPUT: Corner of magnet board was bent ... would like new one sent will not adhere to fridge on the corner
OUTPUT: neutral

INPUT: Fantastic buy! Computer arrived quickly and was well packaged. Everything looks and performs like new. I had a problem with a cable. I contacted the seller and they immediately sent me out a new one. I can't say enough good things about about this purchase and this computer. I will definitely use them again.
OUTPUT: positive

INPUT: I had these desk top fan since Christmas 2017 and only used them a hand full of times and now the fans don’t even work. What a waste of money.
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

INPUT: I would love to give this product 5 star but unfortunately it just doesn’t cut due to quality. I bought them only (and only) for my toddlers snacks. And for that purpose they work great. I would probably use them in other situations as well if they were all the same. And yes I understand, if they are hand carved from one piece of wood, there could be slight difference, but that’s where product quality control comes in. I guess they just didn’t want any faulty products and decided to sell them all no matter what.
OUTPUT: neutral

INPUT: Received this file box last night, and begin to put my documents in as soon as I received it. It is very good for me as my husband and I get a lot paperwork to save. The colorful tags make it easier to find what I want. The material is strong. I finally get something to help with the messy drawer! Love this product! I believe I will buy another one when this one is full!
OUTPUT: positive

INPUT: Very cheaply made, its not worth your money, ours came already broken and looks like it's been played with, retaped, resold.
OUTPUT: negative

INPUT: Overall it’s a nice bed frame but it comes with scratches all over the frame. It comes with a building kit (kind of like an IKEA building kit) so it takes a while
OUTPUT: neutral

INPUT: I found this stable and very helpful to get things off the floor, as well as to be able to store below and on top of. Nice that it's adjustable.
OUTPUT: positive

INPUT: This is a poorly made piece that was falling apart as we assembled it - some of the elements looked closer to cardboard than any wood you can imagine. I can foresee that it will be donated or thrown away in the next few months or even weeks.
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

INPUT: Works great, bought a 2nd one for my son's dog. I usually only put them on at night and it stopped the barking immediately. Battery lasted a month. Used a little duct tape to keep the collar at the right length.
OUTPUT: positive

INPUT: Did not come with the wand
OUTPUT: negative

INPUT: This fan was checked out before the installer left. Later that day I turned it on and the globe was wobbling a lot. He was able to return the next day and discovered that the screws fastening the globe were loose already. He replaced them with some bigger screws he had with him. That was two weeks ago and the fan is still fine. It is very attractive and quiet.
OUTPUT: neutral

INPUT: Way to sensitive turns on and off 1000 times a night I guess it picks up bugs or something
OUTPUT: negative

INPUT: We have a smooth collie who is about 80 pounds. Thank goodness she just jumps into the tub. When she jumps back out it takes multiple towels to get her dry enough to use the hair dryer. Yes, she really is a typical girl and does not mind the hair dryer at all. I bought this hoping it would absorb enough to get her dry without any additional towels. Did not work for Stella. Now, I am sure it would work for a small dog and is a very nice towel. If you have a small dog, go ahead and get it.
OUTPUT: neutral

INPUT: Product does not include instructions, but turning the shaft changes the frequency. Does nothing to quiet the dog next door, but when I blow it in the house, my wife barks.
OUTPUT:


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

INPUT: reception is quite bad compared to your stock antenna on any whoop camera. just buy the normal antenna
OUTPUT: neutral

INPUT: The light was easily assembled.... I had it up in about 15 minutes. Powered it up and I was in business. It has been running about a week or so and no problems to date.
OUTPUT: positive

INPUT: It will not turn on. It was a gift and the person called and said it does not work. It won't turn on. I would like to send back and get either another or my money back.
OUTPUT: negative

INPUT: Lamp works perfectly for my chicks
OUTPUT: positive

INPUT: I purchased this for my wife in October, 2017. At the time, we were in the middle of relocating and living in a hotel. I couldn't get this scale to connect to the Wifi in the hotel. I decided to wait until we moved into our home and I could set up my own Wifi system. March 2018- I have set up my Wifi system and this scale still won't connect. Every time I try, I get the error message. Even when I am 10' away from the Wifi unit. I followed the YouTube setup video with no success. When I purchased the unit, I thought it would connect directly to my wife's phone (like Bluetooth). Instead, this scale uses the Wifi router to communicate to the phone. This system is limited to the router connection...which is usually not close to the bedroom unlike a cell phone! I wouldn't recommend this scale to anyone because of the Wifi connection. Instead, please look at systems that use Bluetooth for communication. I am replacing this with a Bluetooth connection scale.
OUTPUT: negative

INPUT: We never could get this bulb camera to work. I’ve had 3 people try this bulb at different locations and it will not connect to the internet and will not set up.
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

INPUT: I like these storage bins overall. The color of the lining inside wasn’t expected, it shows a light brown color in the photo but it’s pretty dark. I would have preferred the lining inside to match the outside, tan or grey. Other than that they are cute and look as pictured.
OUTPUT: neutral

INPUT: Thin curtains that are only good for an accent. 56" wide is if you can stretch to maximum. Minimal light and noise reduction. NOT WORTH THE PRICE!!!
OUTPUT: negative

INPUT: The dress looked nothing like the picture! It was short, tight and cheap looking and fitting!
OUTPUT: negative

INPUT: What a really great set of acrylics. My daughter has been painting with them since they came in. The colors come in a wide range of vibrant colors that have a smooth consistency. These paints are packed in aluminum tubes which allows the paint to not dry or crack over time.
OUTPUT: positive

INPUT: Seriously the fluffiest towels! The color is beautiful, exactly as pictured, and they are bigger than I expected. Plus, I spent the same amount of money for these that I would have on the "premium" (non-organic) towels from Wal-Mart. You can't go wrong.
OUTPUT: positive

INPUT: Ultimately I love the look of the curtains, they are beautiful and provide enough light blocking for the room we're using them in. However, they are not the color pictured. They were only blue and white. I wish that they were the ones that I thought that I had ordered, however, we will keep them because they are still beautiful.
OUTPUT:


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

INPUT: Excellent read!! I absolutely loved the book!! I’ve adopted 4 Siamese cats from Siri over the years and everyone of them were absolute loves. Once you start to read this book, it’s hard to put down. Funny, witty and very entertaining!! Siri has gone above and beyond in her efforts to rescue cats (mainly Siamese)!!
OUTPUT: positive

INPUT: Love it! As with all Tree to Tub Products, I’ve incredibly happy with this toner.
OUTPUT: positive

INPUT: The book is fabulous, but not in the condition i was lead to believe it was in. I thought i was buying a good used copy, what i got is torn cover and some kind of humidity damaged book. I give 5 stars for the book, 2 stars for the condition.
OUTPUT: neutral

INPUT: This makes almost the whole series. Roman Nights will be the last one. Loved them all. Alaskan Nights was awesome. Met my expectations , hot SEAL hero, beautiful & feisty woman. Filled with intrigue, steamy romance & nail biting ending. Have read two other books of yours. Am looking forward to more.
OUTPUT: positive

INPUT: Very informative Halloween Recipes For Kids book. This book is just what I needed with great and delicious recipe ideas. I will make a gift for my mom on her birthday. Thanks, author!
OUTPUT: positive

INPUT: This book was so amazing!! WOW!! This is my favorite book that I have read in such a long time. It is a great summer read and it has made me wish that I could be a Meade Creamery girl myself!! Siobhan is an awesome writer and I can’t wait to read more from her.
OUTPUT:


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

INPUT: The clear backing lacks the stickiness to keep the letters adhered until you’re finished weeding! It’s so frustrating to have to keep up with a bunch of letters and pieces that have curled and fell off the paper! It requires additional work to make sure that they’re aligned properly and being applied on the right side, which was an issue for me several times! I purchased 3 packs of this and while it’s okay for larger designs, it sucks for lettering or anything intricate 😏 Possibly it’s old and dried out, but in any event, I will not be buying from this vendor again and suggest that you don’t either!
OUTPUT: negative

INPUT: This was very easy to use and the cookies turned out great for the Boy Scout Ceremony!
OUTPUT: positive

INPUT: I opened a bottle of this smart water and took a large drink, it had a very strong disgusting taste (swamp water). I looked into the bottle and found many small particles were floating in the water... a few brown specs and some translucent white. I am completely freaked out and have contacted Coca-Cola, the product manufacture.
OUTPUT: negative

INPUT: Does not work mixed this with process solution and 000 and nothing. Looked exactly the same as i first put it on.
OUTPUT: negative

INPUT: This product exceeded my expectations. I am not good about cleaning my make up brushes. In fact when I received this cleaner it had been months since I last cleaned them. So I figured at best they should be a little better off. It was better than that! My brushes are like new! A couple I needed to clean two times, but considering how much build up on them there was, was completely warranted. I’m so excited that I discovered this product as I finally have a reason to buy nicer brushes! Clean up was easy!
OUTPUT: positive

INPUT: I followed the instructions but the chalk goes on gritty and chunky, and looks nothing like the photos. A giant waste.
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

INPUT: My dog loves this toy, I haven't seen hear more thrill with any other toy, for the first three days, which is how long the squeaker lasted. She is not a heavy chewer, and in one of her "victory walks" after retrieving the ball, the squeaker was already gone. Apart from that it is my best investment
OUTPUT: neutral

INPUT: I have three of these linked together. As many of the other reviews said, the legs are weak and prone to breakage even with careful use. It is best to provide some other means of support and not use the legs. Also the gaskets at the fittings do not seal well. I used RTV silicone sealant when assembling the water fittings to stop the leakage. These units are doing a good job heating my pool.
OUTPUT: neutral

INPUT: These are great for SO many things. Originally I had them in my drink at a club but then later bought them for my wedding center pieces. The light stays on for weeks but becomes dim after 3 or 4 days. We had a great time leaving the extra ones around the party and will use the extra ones for fun.
OUTPUT: positive

INPUT: Looking at orher reviews the tail was supposed to be obscenely long -- it was actually the perfect size but im not sure if thats intentional. The waist strap fits perfectly-- but again, need to list that my waist is fairly wide and it sat on my hips. Im unsure about the life of the strap. To the actual quality the fur seems of a fair (not great but not terrible quality but the tail isnt fully stuffed.) Apparently theres supposed to be a wire to pose the tail. There is none in mine, which is fine cause again, mine came up shorter than others. Im only rating 3 stars because of some unintentional good things.
OUTPUT: neutral

INPUT: Not super durable. The bag holds up okay but the drawstrings sometimes tear if the bag gets past a couple lbs.
OUTPUT: neutral

INPUT: I can not tell you how many times I have bought one of these. My dogs are obsessed with them! The legs don’t last long but the rest of it does, probably one of the longer lasting toys they have had.
OUTPUT:


MODEL OUTPUT

 neutral


PARSE RESULT

 ['neutral']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

INPUT: Absolutely worthless! Adhesive does not stick!
OUTPUT: negative

INPUT: Horrible after taste. I can imagine "Pine Sol Cleaning liquid" tasting like this. Very strange. It's a NO for me.
OUTPUT: negative

INPUT: Easy to clean as long as you clean it directly after using of course. Works great. Very happy
OUTPUT: positive

INPUT: So far my daughter loves it. She uses it for school backpack. As far as durable, we just got it, so we will have to see.
OUTPUT: positive

INPUT: Clumpy, creases on my lips, patchy, all in all not worth it. Have to scrub my lips nearly off with makeup remover to get it all off.
OUTPUT: negative

INPUT: Very sticky and is messy! Make sure you wipe the lid and top really good or you will struggle to get it open the next time you use it!
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

INPUT: Im not sure if its just this sellers stock of this product or what but the first order was no good, each bottle had mold and clumps in the bottle and usually companies will put a couple of metal beads in a bottle to aid in the mixing but these had a rock in it... like a rock off the ground. I decided to replace the item, same seller, and once again they were all clumpy and gross... I attached a photo. I wouldnt buy these, at least not from this seller.
OUTPUT: negative

INPUT: Too stiff, barely zips, and is very bulky
OUTPUT: negative

INPUT: Can’t get ice all the way around the bowl. Only on the bottom, so it didn’t keep my food as cold as I would have liked.
OUTPUT: neutral

INPUT: Awkward shape, does not fit all butter sticks
OUTPUT: neutral

INPUT: I REALLY WANTED TO LOVE THIS BUT I DON'T. THE SMELL IS NOT STRONG AT ALL NO MATTER HOW MUCH OF IT ADD.
OUTPUT: negative

INPUT: NOT ENOUGH CHEESE PUFFS
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

INPUT: Quality product. I just wish there were choices for the cover, it's hideous.
OUTPUT: neutral

INPUT: I never should've ordered this for my front porch steps. It had NO Adhesion and was a BIG disappointment.
OUTPUT: negative

INPUT: Stop using Amazon Delivery Drivers, they are incompetent and continually damage packages
OUTPUT: negative

INPUT: Very poorly packaged. The glasses banged each other. Should have been bubble wrapped. So bummed that I can’t use these for a party tonight!
OUTPUT: negative

INPUT: I dislike this product it didnt hold water came smash in a bag and i just thow it in the trash
OUTPUT: negative

INPUT: The plastic wrap covering the address section falls out easily. Not high quality, or long lasting. Got the job done for the trip.
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

INPUT: these were ok, but to big for the craft I needed them for. Maybe find something to use them on.
OUTPUT: neutral

INPUT: What a really great set of acrylics. My daughter has been painting with them since they came in. The colors come in a wide range of vibrant colors that have a smooth consistency. These paints are packed in aluminum tubes which allows the paint to not dry or crack over time.
OUTPUT: positive

INPUT: They’re cute and work well for my kids. Price is definitely great for kids sheets.
OUTPUT: positive

INPUT: Loved the dress fitted like a glove nice material and it feels great
OUTPUT: positive

INPUT: Absolutely terrible. I ordered these expecting a quality product for 10 dollars. They were shipped in an envelope inside of another envelope all just banging against each other while on their way to me from the seller. 3 of them are broken internally, they make a rattle noise as the ones that work do not. I will be requesting a refund for these and filing a complaint with Amazon. Don't purchase unless you like to buy broken/damaged goods. Completely worthless.
OUTPUT: negative

INPUT: They were beautiful and worked great for the agape items I needed them for.
OUTPUT:


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

INPUT: Fits great kinda expensive but it’s good quality
OUTPUT: positive

INPUT: Quality is just okay. Magnet on the back is strong and it's nice its detachable but the case around the phone isn't very protective and very flimsy. You get what you pay for.
OUTPUT: neutral

INPUT: The dress fits perfect! It’s a tad too long but not enough to bother with the hassle of getting it hemmed. The material is extremely comfortable and I love the pockets! I WILL be ordering a couple more in different colors.
OUTPUT: positive

INPUT: Great quality but too wide to fit BBQ Galore Grand Turbo 4 burner with 2 searing bars.
OUTPUT: positive

INPUT: The product fits fine and looks good. turn signal and heated mirror work. Unfortunately, the mirror vibrates on rough roads and rattles going over bumps. Plan to return it for a replacement.
OUTPUT: negative

INPUT: It fits nice, but I'm not sure about the quality, at the end of the day you get what you pay for.
OUTPUT:


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

INPUT: This shirt is not long as the picture indicates. It's just below waist length. Disappointed b/c I am 5'10 and wanted to wear with leggings.
OUTPUT: negative

INPUT: They are so comfortable that I don't even know I am wearing them.
OUTPUT: positive

INPUT: I bought these for under dresses and they are perfect for that. I did size up to a large instead of a medium because they run small. They hit the knees on me but that’s because I’m 4’11”
OUTPUT: positive

INPUT: So cute! And fit my son perfect so I’m not sure about an adult but probably would stretch.
OUTPUT: positive

INPUT: Clasps broke off after having for only a few months 😢
OUTPUT: negative

INPUT: These are so sexy and perfect for short girls. I’m 5’1 and they aren’t crazy long!! BUT the waistband is really freaking tight. I let my friend wear them and she somehow got the waistband extremely twisted, it took me 3 days to fix it. Yikes. But still cute
OUTPUT:


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

INPUT: I love how the waist doesn't have an elastic band in them. I have a bad back and tight waist bands always make my back feel worse.These feel decent...although If they could make them just one size larger..and not just offer plus size....that would be even better for my back.
OUTPUT: positive

INPUT: This is even sexier than the pic! It has good control and is smooth under all my clothes! It's also comfortable and I'm able to easily wear it all day, it doesn't roll down either!
OUTPUT: positive

INPUT: I bought these for under dresses and they are perfect for that. I did size up to a large instead of a medium because they run small. They hit the knees on me but that’s because I’m 4’11”
OUTPUT: positive

INPUT: They work really well for heartburn and stomach upset. But taking a couple stars off as capsules are poor quality and break. I lost over 30 in a bottle of 120 as they leaked. Powder ended up bottom of bottle.
OUTPUT: neutral

INPUT: This shirt is not long as the picture indicates. It's just below waist length. Disappointed b/c I am 5'10 and wanted to wear with leggings.
OUTPUT: negative

INPUT: I love these Capris so much that I bought 4 pairs. The high waist helps with tummy control where I have a lot around the waist but skinnier legs and these are perfect. Sometimes with high waist products they tend to roll but these do not and they make your ass look amazing. Highly recommended.
OUTPUT:


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Please provide a step-by-step argument for your answer, explain why you believe your final choice is justified, and make sure to conclude your explanation with the name of the class you have selected as the correct one, in lowercase and without punctuation. In your response, include only the name of the class as a single word, in lowercase, without punctuation, and without adding any other statements or words.

INPUT: Easy to install, fits perfectly, and does a good job.
OUTPUT: positive

INPUT: Easy to peel and stick. They don't fall off.
OUTPUT: positive

INPUT: Beautifully crafted. No problem removing cake from pan and the cakes look very nice
OUTPUT: positive

INPUT: Love this coverup! It’s super thin and very boho!! Always getting compliments on it!
OUTPUT: positive

INPUT: Bought as gifts and me. we all love how this really cleans our electronics and my glasses
OUTPUT: positive

INPUT: Great product. Good look. JUST a little tough to remove.
OUTPUT:


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']
[26]:
sns.heatmap(confusion_matrix(test_targets, pred_targets), annot=True, cmap="Blues")
[26]:
<Axes: >
../_images/notebooks_04_test_flant5_classification_prompts_25_1.png

Prueba 2#

[27]:
prompt = """
TEMPLATE:
    "I need you to help me with a text classification task.
    {__PROMPT_DOMAIN__}
    {__PROMPT_LABELS__}

    {__CHAIN_THOUGHT__}
    {__ANSWER_FORMAT__}"


PROMPT_DOMAIN:
    "The texts you will be processing are from the {__DOMAIN__} domain."


PROMPT_LABELS:
    "I want you to classify the texts into one of the following categories:
    {__LABELS__}."


PROMPT_DETAIL:
    ""


CHAIN_THOUGHT:
    "Think step by step you answer."


ANSWER_FORMAT:
    "In your response, include only the name of the class predicted."
"""
[29]:
import seaborn as sns
from sklearn.metrics import confusion_matrix
from promptmeteo import DocumentClassifier

model = DocumentClassifier(
    language="en",
    model_name="google/flan-t5-small",
    model_provider_name="hf_pipeline",
    prompt_domain="product reviews",
    prompt_labels=["positive", "negative", "neutral"],
    selector_k=5,
    verbose=True,
)

model.task.prompt.read_prompt(prompt)

model.train(
    examples=train_reviews,
    annotations=train_targets,
)

pred_targets = model.predict(test_reviews)


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

INPUT: Very strong cheap pleather smell that took a few days to air out. One of the straps clips onto the zipper, so be careful of the zipper slowly coming undone as you walk.
OUTPUT: neutral

INPUT: The 8 year old nephew said he wanted this for his birthday. I felt it was a bit much for a toy but he caught me on a good day. Come to find out it's a fragile collectible so the nephew lost all the small parts the moment he opened it. I guess it's adequate for collectors that want detail on such a small figurine.
OUTPUT: neutral

INPUT: It leaves white residue all over dishes! Gross!
OUTPUT: negative

INPUT: Really can't say because cat refused to try it. I gave it to someone else to try
OUTPUT: negative

INPUT: Wouldn’t keep air the first day of use!!!
OUTPUT: negative

INPUT: It keeps the litter box smelling nice.
OUTPUT:


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

INPUT: Easy to install, fits perfectly, and does a good job.
OUTPUT: positive

INPUT: Does not work mixed this with process solution and 000 and nothing. Looked exactly the same as i first put it on.
OUTPUT: negative

INPUT: This is a knock off product. This IS NOT a puddle jumper brand float but a flimsy knock off instead. It is missing all stearns and puddle jumper branding on the arms. Do not buy!
OUTPUT: negative

INPUT: Had to use washers even though the bolts were stock like beveled in appearance. 3 pulled through the skid, and there isn't any rust issues. I called daystar because i spent the money so i wouldn't have to use washers. They told me to use washers.
OUTPUT: neutral

INPUT: I have this installed under my spa cover to help maintain the heat. My spa is fully electric (including the heater), and this has done a good job reducing my overall electric bill by about 15% - 20% each month since last November. Quality is holding up fine, but it's out of the sun since it's under the spa cover. (Sorry, can't comment on what the longevity would be in the full sun.)
OUTPUT: positive

INPUT: Installed this on our boat and am very happy with the results. Great product!
OUTPUT:


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']
Token indices sequence length is longer than the specified maximum sequence length for this model (541 > 512). Running this sequence through the model will result in indexing errors


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

INPUT: I was very disappointed in this item. It is very soft and not chewy. It falls apart in your hand. My dog eats them but I prefer a more chewy treat for my dog.
OUTPUT: negative

INPUT: Just can't get use to the lack of taste with this ceylon cinnamon. I have to use so much to get any taste at all. This is the first ceylon I've tried so I can't compare. Just not impressed. I agree with some others that it taste more like red hot candy smells. Hope I can find some that has some flavor. I really don't want to go back to the other cinnamon that is bad for us.
OUTPUT: neutral

INPUT: I like everything about the pill box except its size. I take a lot of supplements and the dispenser is just too small to hold all the pills that I take.
OUTPUT: neutral

INPUT: They sent HyClean which is NOT for the US market therefore this is deceptive marketing
OUTPUT: negative

INPUT: The glitter gel flows, its super cute.
OUTPUT: positive

INPUT: It is really nice to have my favorite sugar alternative packaged in little take along packets! I LOVE swerve, and it is so convenient to have these to throw in my purse for dining out, or to use at a friend’s house. While they are a bit pricey, I cannot stand Equal or the pink stuff in my iced tea. Swerve or nothing, so i am thrilled to have my sweetener on the go!
OUTPUT:


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

INPUT: Easy to install, fits perfectly, and does a good job.
OUTPUT: positive

INPUT: Glass is extremely thin. Mine broke into a million shards. Very dangerous!
OUTPUT: neutral

INPUT: Easy to peel and stick. They don't fall off.
OUTPUT: positive

INPUT: Cheap material. Broke after a couple month of usage and I emailed the company about it and never got a response. There are much better phone cases out there so don't waste your time with this one.
OUTPUT: negative

INPUT: Cheap, don’t work. Very dim. Not worth the money.
OUTPUT: negative

INPUT: Easy to install, but very thin
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

INPUT: I like these storage bins overall. The color of the lining inside wasn’t expected, it shows a light brown color in the photo but it’s pretty dark. I would have preferred the lining inside to match the outside, tan or grey. Other than that they are cute and look as pictured.
OUTPUT: neutral

INPUT: I was very disappointed in this item. It is very soft and not chewy. It falls apart in your hand. My dog eats them but I prefer a more chewy treat for my dog.
OUTPUT: negative

INPUT: We bring the kid to Cape Cod this long weekend. The shelter is very helpful when we stay on the beach. Kid feel comfortable when she was in the shelter. It was cool inside of shelter especially if you put some water on the top of the shelter. It is also very easy to carry and set up. It is a good product with high quality.
OUTPUT: positive

INPUT: The 8 year old nephew said he wanted this for his birthday. I felt it was a bit much for a toy but he caught me on a good day. Come to find out it's a fragile collectible so the nephew lost all the small parts the moment he opened it. I guess it's adequate for collectors that want detail on such a small figurine.
OUTPUT: neutral

INPUT: I've been using this product with my laundry for a while now and I like it, but I had to return it because it wasn't packaged right and everything was damaged.
OUTPUT: negative

INPUT: It's an ok bin. I got it to use as a clothes hamper thinking it was more of a linen material, probably my mistake for not reading the description better but it's actually more like a plastic. Decided it would be better suited for my daughter's stuff animals. It's cute and serves a purpose and isn't all that expensive. Just not what I thought it would be when originally purchasing it.
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

INPUT: I did a lot of thinking as I read this book. I felt as though I could really picture what the main character was going through. The author did a great job describing the situations and events. I really rooted for the main character and felt her struggles. It seems as though she had to over come a lot to once again over come a lot. She had a group of interesting characters both supporting her and also ones who were against her. Not a plot to be predicted. I highly recommend this book. It grabbed my attention from the first page and had me thinking about it long after. I look forward to reading the author's next book.
OUTPUT: positive

INPUT: Very informative Halloween Recipes For Kids book. This book is just what I needed with great and delicious recipe ideas. I will make a gift for my mom on her birthday. Thanks, author!
OUTPUT: positive

INPUT: Excellent read!! I absolutely loved the book!! I’ve adopted 4 Siamese cats from Siri over the years and everyone of them were absolute loves. Once you start to read this book, it’s hard to put down. Funny, witty and very entertaining!! Siri has gone above and beyond in her efforts to rescue cats (mainly Siamese)!!
OUTPUT: positive

INPUT: Great beginning to vampire series. It is nice to have a background upon which a series is based. I look forward to reading this series
OUTPUT: positive

INPUT: The book is fabulous, but not in the condition i was lead to believe it was in. I thought i was buying a good used copy, what i got is torn cover and some kind of humidity damaged book. I give 5 stars for the book, 2 stars for the condition.
OUTPUT: neutral

INPUT: Interesting from the very beginning. Loved the characters, they really brought the book to life. Would like to read more by this author.
OUTPUT:


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

INPUT: Product was not to my liking seemed diluted to other brands I have used, will not buy again. Sorry
OUTPUT: negative

INPUT: Very poorly packaged. The glasses banged each other. Should have been bubble wrapped. So bummed that I can’t use these for a party tonight!
OUTPUT: negative

INPUT: Mango butter was extremely dry upon delivery.
OUTPUT: negative

INPUT: I was very disappointed in this item. It is very soft and not chewy. It falls apart in your hand. My dog eats them but I prefer a more chewy treat for my dog.
OUTPUT: negative

INPUT: The book is fabulous, but not in the condition i was lead to believe it was in. I thought i was buying a good used copy, what i got is torn cover and some kind of humidity damaged book. I give 5 stars for the book, 2 stars for the condition.
OUTPUT: neutral

INPUT: It was dried out when I opened package. Was very disappointed with this product.
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

INPUT: It worked for a week. My husband loved it. And then all of the sudden it won't charge or turn on. It just stopped working.
OUTPUT: negative

INPUT: I saw this and thought it would be good to store the myriad of batts that I have. You must know that this is made to hang on the wall. The lid does not lock down in any way it just hangs lose and bangs into the Size C batts. You can lay it flat but remember the lid does not in any way hold the batteries from falling out if you turn it to the side, Now for me the biggest disappointment is that there are no slots for the batteries that use the most, the CR 123 batts. I rate it just barely useful. I should have read more carefully the description. It is too much trouble to return it so I'll keep it and buy smaller cases with locking lids
OUTPUT: neutral

INPUT: Quality is just okay. Magnet on the back is strong and it's nice its detachable but the case around the phone isn't very protective and very flimsy. You get what you pay for.
OUTPUT: neutral

INPUT: Works very well. Easy to set alarms, and time. The snooze/backlight function is pretty neat too. The dim back light is also nice so that you can actually read the time in the dark.
OUTPUT: positive

INPUT: Works great, bought a 2nd one for my son's dog. I usually only put them on at night and it stopped the barking immediately. Battery lasted a month. Used a little duct tape to keep the collar at the right length.
OUTPUT: positive

INPUT: Works great and the picture is good, but it doesn't hold a battery long at all. I actually have to plug it in every night once I lay down or it won't stay charged.
OUTPUT:


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

INPUT: This is the second one of these that I have purchased. It is an excellent platform for a foam or conventional mattress. It is totally sturdy, and looks nice. I highly recommend it. There are many frames out there that will cost you much more, but this does the trick.
OUTPUT: positive

INPUT: These little lights are awesome. They put off a nice amount of light. And you can put them ANYWHERE! I have put one in the pantry. Another in my linen closet. Another one right next to my bed for when I get up in the middle of the night. Have only had them about a month but so far so good!
OUTPUT: positive

INPUT: I love the curls but the hair does shed a little; it has been a month; curls still looks good; I use mousse or leave in conditioner to keep curls looking shiny; hair does tangle
OUTPUT: neutral

INPUT: Whoever packed this does not care or has a lot to learn about dunnage.
OUTPUT: negative

INPUT: Love this coverup! It’s super thin and very boho!! Always getting compliments on it!
OUTPUT: positive

INPUT: Bought this item not even three months ago and am already starting to have problems. The steal slates to support the mattress (as advertised NO BOX SPRING NEEDED) does in fact need that extra layer of support. I am currently using about 7 blankets underneath my mattress for support. However my bed does stay in place, there is storage underneath like I needed and all around is a good product. But if you do plan on buying this item make sure you have the extra support for your mattress!!!
OUTPUT:


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

INPUT: Corner of magnet board was bent ... would like new one sent will not adhere to fridge on the corner
OUTPUT: neutral

INPUT: The description of this product indicated that it would have a cosmetic flaw only. This pendant is missing the socket. There is no place to put the light bulb.
OUTPUT: negative

INPUT: Bought this Feb 2019. Its already wore down and in need of replacement. I dont recommend one purchase this unless its jus for looks.
OUTPUT: negative

INPUT: After 5 months the changing rainbow light has stopped functioning. Still works as an oil diffuser at least. It was cheap so I guess that's what you get!
OUTPUT: neutral

INPUT: I thought it was much bigger, it's look like a new born baby ear ring.
OUTPUT: neutral

INPUT: Corner of pop socket is faded I would like a new one!
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

INPUT: My dog loves this toy, I haven't seen hear more thrill with any other toy, for the first three days, which is how long the squeaker lasted. She is not a heavy chewer, and in one of her "victory walks" after retrieving the ball, the squeaker was already gone. Apart from that it is my best investment
OUTPUT: neutral

INPUT: Very cheaply made, its not worth your money, ours came already broken and looks like it's been played with, retaped, resold.
OUTPUT: negative

INPUT: Maybe it's just my luck because this seems to happen to me with other products but the motor broke in 2 weeks. That was a bummer. I liked it for the 2 weeks though!
OUTPUT: neutral

INPUT: Works great, bought a 2nd one for my son's dog. I usually only put them on at night and it stopped the barking immediately. Battery lasted a month. Used a little duct tape to keep the collar at the right length.
OUTPUT: positive

INPUT: We bought it in hopes my son would stop sucking his thumb. He doesn't suck it when it's on but when it's off for eating, bathing, washing hands... he will still do it. We are now going to try the nail polish with bitter taste. This is a good idea, my son just needs something stronger to beat it.
OUTPUT: neutral

INPUT: After 5 minutes of supervised play, the motor started making high pitched terrible screeching noises. Don't buy unless you have a tiny, useless little rat of a dog. Wasted $18.00
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

INPUT: Works great, bought a 2nd one for my son's dog. I usually only put them on at night and it stopped the barking immediately. Battery lasted a month. Used a little duct tape to keep the collar at the right length.
OUTPUT: positive

INPUT: few cables not working, please reply what to do?
OUTPUT: neutral

INPUT: These are very fragile. I have a cat who is a bit rambunctious and sometimes knocks my phone off my nightstand while it's plugged in. He managed to break all of these the first or second time he did that. I'm sure they're fine if you're very careful with them, but if whatever you're charging falls off a table or nightstand while plugged in, these are very likely to stop working quickly.
OUTPUT: negative

INPUT: When I received this product, I took the tracker out of the package and plugged it in in order to charge it-it never turned on! I did that was suggested, but to no avail!
OUTPUT: negative

INPUT: My dog ,a super hyper Yorkie, wouldn't eat these. Didn't like the smell of them and probably didn't like the taste. I did manage to get them down him for 3 days to see if it would help him . The process of getting them down him was traumatic for him and me. They did not seem to have any effect on him one way or another , other than the fact that he didn't like them and didn't want to eat them. I ended up throwing them away. Money down the drain. Sorry, I can't recommend them.
OUTPUT: negative

INPUT: I had to return them. They said they worked to recharge dog bark collars, but neither cord plugged into different USB outlets charged the collar.
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

INPUT: ordered and never received it.
OUTPUT: negative

INPUT: To me this product just does not work. Decided to give this a try based on the great reviews this product has. I used it for about two weeks and just did not feel any extra energy nor anything else. Obviously the seller has a good system, maybe even a little scam going on, give me a 5 star review and we will send you a free one. Not saying this will happen to everyone, but these were my results. Happy shopping!
OUTPUT: negative

INPUT: I recieved a totally different product than I ordered (pictured) and I see that I cannot return it !?! I give them one star just because I'm tryin to be nice. I ordered these black hats for a christmas project that I am doin with my 5 yr old son for his classroom and now I'm afraid to even try to reorder them again in fear that I'll recieve another different product.
OUTPUT: negative

INPUT: Product was not to my liking seemed diluted to other brands I have used, will not buy again. Sorry
OUTPUT: negative

INPUT: I have never had a bad shipment of these and my yard is full of them, this last shipment has one strand that won't work at all and the other strand only works on flash, i'm definitely afraid to order any more of them.
OUTPUT: negative

INPUT: NEVER RECEIVE THIS PRODUCT EVEN AFTER CONTACTING THE SELLER MORE THAN ONCE
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

INPUT: The product did not work properly, after having it installed the check engine light came back on
OUTPUT: negative

INPUT: For the money, it's a good buy... but the fingerprint ID just doesn't work very good. After several attempts, it would not allow me to register my fingerprint. So... I just use the key to lock and unlock the safe, and that's not a problem. If you want something with the ability to open with your fingerprint, you'll need to spend a bit more, but if fingerprint id isn't something you absolutely need to have, then this safe is for you.
OUTPUT: neutral

INPUT: The packaging of this product was terrible. Just the device with no instructions in a box with no bubble wrap. Device rolling around in a box 3x’s it’s size. No order slip.
OUTPUT: neutral

INPUT: The battery covers screw stripped out the first day on both cars I purchased for Christmas.
OUTPUT: negative

INPUT: I ordered green but was sent grey. Bought it to secure outside plants/shrubs to wooden poles. Wrong color but I'll make it work.
OUTPUT: neutral

INPUT: I bought this from Liberty Imports and it was not secured in the packaging and did not work. I returned it for another one and with the same result. The second one had markings on the car that suggest it was used before.
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

INPUT: Picture was incredibly misleading. Shown as a large roll and figured the size would work for my project, then I received the size of a piece of paper.
OUTPUT: negative

INPUT: This door hanger is cute and all but its a bit small. My main complain is that, i cannot close my door because the bar latched to the door isnt flat enough.. Worst nightmare.
OUTPUT: negative

INPUT: The child hat is ridiculously small. It was not even close to the right size for my 3 year old son. I checked the size, and it wouldn't have even fit him as a newborn. I liked the adult hat but it is not sold separately. The seller was rude and unhelpful when I contacted them directly through Amazon. The faux fur pom was either already torn or tore when I was trying on the hat. See the attached photograph. The pom came aprt, exposing the inner fluff.
OUTPUT: negative

INPUT: It doesn’t stick to my car and it’s to big
OUTPUT: negative

INPUT: The graphics were not centered and placed more towards the handle than what the Amazon image shows. Only the person drinking can see the graphics. I will be returning the item.
OUTPUT: negative

INPUT: This Christmas window sticker receive very small, not look like the picture.z
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

INPUT: Just received it and so far so good. No issues, did a great job. For a family on a budget trying to waste as least food as possible, it is a great investment and it was very affordable too.
OUTPUT: positive

INPUT: They are so comfortable that I don't even know I am wearing them.
OUTPUT: positive

INPUT: These bowls are wonderful. And the only reason I didn't give them a 5 is because I ordered RED bowls and received ORANGE bowls.
OUTPUT: neutral

INPUT: They work really well for heartburn and stomach upset. But taking a couple stars off as capsules are poor quality and break. I lost over 30 in a bottle of 120 as they leaked. Powder ended up bottom of bottle.
OUTPUT: neutral

INPUT: Perfect size and good quality. Great for cupcakes
OUTPUT: positive

INPUT: I always meal prep so I got these for my lunchbox to take to work. Awesome value for the price and love that it comes with a carrier.
OUTPUT:


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

INPUT: I initially was impressed by the material quality of the headphones, but as I connected the headphones to listen to my song there was a problem. There is constantly this weird "old cable tv that has lost it's signal sound" in the background when trying to listen to anything. Pretty disappointed.
OUTPUT: neutral

INPUT: my expectations were low for a cheap scale. they were not met, scale doesnt work. popped the cover off the back to put a battery in and the wires were cut and damaged. wouldn't even turn on. sending it back. product is flimsy and cheap, spend 20 extra bucks on a better brand or scale.
OUTPUT: negative

INPUT: seems okay, weaker than i thought it be be and too tight
OUTPUT: neutral

INPUT: Quality was broken after 3rd use. I had a bad experience with this lost voice control.
OUTPUT: negative

INPUT: The filters arrived on time. The quality is as expected.
OUTPUT: positive

INPUT: The low volume is quite good just a little louder than expected but that’s okay
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

INPUT: These little lights are awesome. They put off a nice amount of light. And you can put them ANYWHERE! I have put one in the pantry. Another in my linen closet. Another one right next to my bed for when I get up in the middle of the night. Have only had them about a month but so far so good!
OUTPUT: positive

INPUT: For some reason, unit running led, was not blinking, so could not judge its working condition. Will review again, when it becomes fully operational.
OUTPUT: neutral

INPUT: Cheap, don’t work. Very dim. Not worth the money.
OUTPUT: negative

INPUT: I have never had a bad shipment of these and my yard is full of them, this last shipment has one strand that won't work at all and the other strand only works on flash, i'm definitely afraid to order any more of them.
OUTPUT: negative

INPUT: Good Quality pendant and necklace, but gems are a little lacking in color.
OUTPUT: neutral

INPUT: Lights are not very bright
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

INPUT: Looks good. Clasp some times does not lock completely and the watch falls off. One time it fell off and the back cover popped off. I do get lots of compliments of color combination.
OUTPUT: neutral

INPUT: These make it really easy to use your small keyboard on your phone. Would recommend to everyone.
OUTPUT: positive

INPUT: So far my daughter loves it. She uses it for school backpack. As far as durable, we just got it, so we will have to see.
OUTPUT: positive

INPUT: I like these storage bins overall. The color of the lining inside wasn’t expected, it shows a light brown color in the photo but it’s pretty dark. I would have preferred the lining inside to match the outside, tan or grey. Other than that they are cute and look as pictured.
OUTPUT: neutral

INPUT: Comfortable and worth the purchase
OUTPUT: positive

INPUT: Perfect color and really cool lighted keyboard, but it dents really easily just being in a backpack as we've only used it like 2 weeks and it's already dented. No instructions given to set up bluetooth or change lighted keyboard options or brightness. Had to look up how to do such using previous customer reviews (from their calls to customer service). Expected it to be more durable for a forty-five dollar+ case. Disappointed it dents so easily.
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

INPUT: The piano is great starters! It finds your child’s inner artistic ability and musical talent. It develops a good hand-eye coordination. The piano isn’t only a play toy, but it actually works and allows your child to play music at an early age. If you want your child to be a future pianist, you should try this product out! Very worth the money!
OUTPUT: positive

INPUT: Lots of lines, not easy to color. Definitely not for kids or elderly .
OUTPUT: neutral

INPUT: This is a well made device, much higher quality than the three previous cat feeders we've tried. The iOS app works well although the design is a little confusing at first. The portion control is good and the feeder mechanism has worked reliably. The camera provides a clear picture and it's great to be able to check remotely that the cat really is getting fed. Setup was relatively easy.
OUTPUT: positive

INPUT: She loved very much as a birthday gift and also said it will come in handy for all kinds of outings.
OUTPUT: positive

INPUT: I really love this product. I love how big it is compare to others diaper changing pads. I love the extra pockets and on top of that you get a free insulated bottle bag. All of that for an amazing price.
OUTPUT: positive

INPUT: We have enjoyed this tray. It lets my sons color and play with their small cars/construction vehicles while in the car. It also allows them to color and keep busy. It has a cup holder that is easier for my 2 1/2 year old to reach than the one that comes with his car seat. Easy to install and also take off when not in use.
OUTPUT:


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

INPUT: I don’t like it because i ordered twice they sent me the one expired. No good .I don’t want to buy anymore.
OUTPUT: negative

INPUT: They work really well for heartburn and stomach upset. But taking a couple stars off as capsules are poor quality and break. I lost over 30 in a bottle of 120 as they leaked. Powder ended up bottom of bottle.
OUTPUT: neutral

INPUT: Works as it says it will!
OUTPUT: positive

INPUT: I give this product zero stars. The bottle appears very old as if it has been sitting on a shelf in the sun. The expiration date is May 2020.
OUTPUT: negative

INPUT: this item and the replacement were both 6 weeks past the expiration date
OUTPUT: negative

INPUT: Works good; Never mind expire date, those are contrived.
OUTPUT:


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

INPUT: Made a money gift fun for all
OUTPUT: positive

INPUT: Expensive for a kids soap
OUTPUT: neutral

INPUT: It will do the job of holding shoes. It's not glamorous, but it holds shoes and stands in a closet. You will need help with the shelving assembly as it is a two person job.
OUTPUT: neutral

INPUT: Just doesn't get hot enough for my liking. Its stashed away in the drawer.
OUTPUT: neutral

INPUT: The one star is for UPS. I wish I had been home when delivery was made because I would have refused it. I have initiated return procedures, so hopefully when seller gets this mess back I will receive my $60 in a timely manner.
OUTPUT: negative

INPUT: Just like you would get at the dollar store.
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

INPUT: Product was not to my liking seemed diluted to other brands I have used, will not buy again. Sorry
OUTPUT: negative

INPUT: Quality is just okay. Magnet on the back is strong and it's nice its detachable but the case around the phone isn't very protective and very flimsy. You get what you pay for.
OUTPUT: neutral

INPUT: I am returning product, I’ve been getting the same Wella Brilliance shampoo for years...the darker and cheaper one circled, and the last Two deliveries were the lighter bottle which smells nothing like the product I want and have been using for nearly 10 years. Extremely dissatisfied, why would they have two products and two prices and send the one you DONT PICK????
OUTPUT: negative

INPUT: Good quality of figurine features
OUTPUT: positive

INPUT: cheap and waste of money
OUTPUT: negative

INPUT: Product is of lower quality
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

INPUT: very cute style and design, but tarnished after 1 wear!
OUTPUT: neutral

INPUT: Hair is perfect for low temp curling but not realistic. This is a tiny head from the movie Beatle juice . Not for advanced cutting class
OUTPUT: neutral

INPUT: As a hard shell jacket, it’s pretty good. I ordered the extra large for a skiing trip. It comes small so order a size bigger then normal. I can not use the fleece liner because it is too small. The hard shell is not water proof. I live in the Pacific Northwest and this is not enough to keep you dry. I really like the look of this jacket too.
OUTPUT: neutral

INPUT: Very good price for a nice quality bracelet. My sister loved her birthday present! She wears it everyday.
OUTPUT: positive

INPUT: Perfect brush, small radius, and good quality.
OUTPUT: positive

INPUT: Very Pretty, but doesn't stand out well without a solid base coat. Great for little girls who want unicorn/fairy nails and when you don't want a bright color.
OUTPUT:


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

INPUT: Range is not too great
OUTPUT: neutral

INPUT: This door hanger is cute and all but its a bit small. My main complain is that, i cannot close my door because the bar latched to the door isnt flat enough.. Worst nightmare.
OUTPUT: negative

INPUT: I purchased this for my wife in October, 2017. At the time, we were in the middle of relocating and living in a hotel. I couldn't get this scale to connect to the Wifi in the hotel. I decided to wait until we moved into our home and I could set up my own Wifi system. March 2018- I have set up my Wifi system and this scale still won't connect. Every time I try, I get the error message. Even when I am 10' away from the Wifi unit. I followed the YouTube setup video with no success. When I purchased the unit, I thought it would connect directly to my wife's phone (like Bluetooth). Instead, this scale uses the Wifi router to communicate to the phone. This system is limited to the router connection...which is usually not close to the bedroom unlike a cell phone! I wouldn't recommend this scale to anyone because of the Wifi connection. Instead, please look at systems that use Bluetooth for communication. I am replacing this with a Bluetooth connection scale.
OUTPUT: negative

INPUT: These are awesome! I just used them on my 12 ft Christmas tree so I could get it out the door. So easy to use that I’m going to buy another pair.
OUTPUT: positive

INPUT: This product worked just as designed and was very easy to install.The setup is so simple for each load on the trailer.I would def recommend this item for anyone needing a break controller.
OUTPUT: positive

INPUT: The range is terrible on these units. I have to pull all the way into the driveway before it will activate the door. We do like the size and that they are keychains.
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

INPUT: ordered and never received it.
OUTPUT: negative

INPUT: Received this file box last night, and begin to put my documents in as soon as I received it. It is very good for me as my husband and I get a lot paperwork to save. The colorful tags make it easier to find what I want. The material is strong. I finally get something to help with the messy drawer! Love this product! I believe I will buy another one when this one is full!
OUTPUT: positive

INPUT: I recieved a totally different product than I ordered (pictured) and I see that I cannot return it !?! I give them one star just because I'm tryin to be nice. I ordered these black hats for a christmas project that I am doin with my 5 yr old son for his classroom and now I'm afraid to even try to reorder them again in fear that I'll recieve another different product.
OUTPUT: negative

INPUT: DON'T!!! Mine stopped playing 3 days after return deadline ended.
OUTPUT: negative

INPUT: We return the batteries and never revive a refund
OUTPUT: negative

INPUT: Never got mine in the mail now that I’m seeing this! Wow. I’d like a full refund !
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

INPUT: I like this swim suit but it fits really small. I am a size 14 and per reviews that's what I ordered. It runs really small. Also a lot of mesh in the back and on the sides of this suit. Don't like that. its going back....sad
OUTPUT: negative

INPUT: I really love this product. I love how big it is compare to others diaper changing pads. I love the extra pockets and on top of that you get a free insulated bottle bag. All of that for an amazing price.
OUTPUT: positive

INPUT: So cute! And fit my son perfect so I’m not sure about an adult but probably would stretch.
OUTPUT: positive

INPUT: Really cute outfit and fit well. But, the two bows fell off the top the first time worn. The bows were glued on opposed to sewn.
OUTPUT: neutral

INPUT: Terrific fabric and fit through belly, hips and thighs, but apparently these should be worn with 3" heels, which is ridiculous for exercise/loungewear. (Yes I'm being sarcastic.) Seriously: these were at least 4" too long to be comfortable (let alone safe to walk in). Back they go, and I won't try again.
OUTPUT: neutral

INPUT: Somehow a $30 swimsuit off of Amazon is super cute and fits great! I just had a baby and my boobs are huge, but this covered me and I felt super supported in it. It’s a great suit!
OUTPUT:


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

INPUT: Love this coverup! It’s super thin and very boho!! Always getting compliments on it!
OUTPUT: positive

INPUT: asian size is too small
OUTPUT: neutral

INPUT: Warped. Does not sit flat on desk.
OUTPUT: negative

INPUT: I was very disappointed in this item. It is very soft and not chewy. It falls apart in your hand. My dog eats them but I prefer a more chewy treat for my dog.
OUTPUT: negative

INPUT: BEST NO SHOW SOCK EVER! Period, soft, NEVER slips, and is a slightly thick sock. Not to thick though, perfect for running shoes too!
OUTPUT: positive

INPUT: Really, really thin.
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

INPUT: Just doesn't get hot enough for my liking. Its stashed away in the drawer.
OUTPUT: neutral

INPUT: Ordered these for a friend and he loved them!
OUTPUT: positive

INPUT: I have bought these cloths in the past, but never from Amazon. In contrast to previous purchases, these cloths do not absorb properly after the first wash. After washing they feel more like 'napkins'... very disappointed.
OUTPUT: negative

INPUT: My dog ,a super hyper Yorkie, wouldn't eat these. Didn't like the smell of them and probably didn't like the taste. I did manage to get them down him for 3 days to see if it would help him . The process of getting them down him was traumatic for him and me. They did not seem to have any effect on him one way or another , other than the fact that he didn't like them and didn't want to eat them. I ended up throwing them away. Money down the drain. Sorry, I can't recommend them.
OUTPUT: negative

INPUT: I can't wear these all day. Snug around the toes.
OUTPUT: neutral

INPUT: I use to get these all the time. I missed them till I found them here. Do not like hot. These are perfect.
OUTPUT:


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

INPUT: This was very easy to use and the cookies turned out great for the Boy Scout Ceremony!
OUTPUT: positive

INPUT: Too big and awkward for your counter
OUTPUT: negative

INPUT: The one star is for UPS. I wish I had been home when delivery was made because I would have refused it. I have initiated return procedures, so hopefully when seller gets this mess back I will receive my $60 in a timely manner.
OUTPUT: negative

INPUT: They sent HyClean which is NOT for the US market therefore this is deceptive marketing
OUTPUT: negative

INPUT: Ordered these for my daughter as a Christmas present. When she opened the case 3 of the markers did not have the caps on and were completely dried out. She was very disappointed. She then starting testing all of them on a piece of paper, several of them began to run out of ink very quickly. Not happy with this product, tried to return, however these markets are an unreturnable item.
OUTPUT: negative

INPUT: Since the banks have or are doing away with coin counting machines, this is the next best thing. I can watch TV and get the coins wrapped in no time.
OUTPUT:


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

INPUT: Upsetting...these only work if you have a thin phone and or no phone case at all. I'm not going to take my phone's case (which isn't thick) off Everytime I want to use the stand. Wast of money. Don't buy if you use a phone case to protect your phone it's too thin.
OUTPUT: negative

INPUT: I found this stable and very helpful to get things off the floor, as well as to be able to store below and on top of. Nice that it's adjustable.
OUTPUT: positive

INPUT: Perfect, came with everything needed. God quality and fit perfectly. Much less then original brand.
OUTPUT: positive

INPUT: Needs a longer handle but that's my only complaint. Otherwise works well.
OUTPUT: neutral

INPUT: Works as it says it will!
OUTPUT: positive

INPUT: Does the job, but wish I had ordered the stand
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

INPUT: It will not turn on. It was a gift and the person called and said it does not work. It won't turn on. I would like to send back and get either another or my money back.
OUTPUT: negative

INPUT: It didn’t work at all. All the wax got stuck at the top and would never flow.
OUTPUT: negative

INPUT: One half stopped working after month of use
OUTPUT: negative

INPUT: To me this product just does not work. Decided to give this a try based on the great reviews this product has. I used it for about two weeks and just did not feel any extra energy nor anything else. Obviously the seller has a good system, maybe even a little scam going on, give me a 5 star review and we will send you a free one. Not saying this will happen to everyone, but these were my results. Happy shopping!
OUTPUT: negative

INPUT: For some reason, unit running led, was not blinking, so could not judge its working condition. Will review again, when it becomes fully operational.
OUTPUT: neutral

INPUT: On first use it didn't heat up and now it doesn't work at all
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

INPUT: It arrived broken. Not packaged correctly.
OUTPUT: negative

INPUT: This is at least the 4th hose I've tried. I had high hopes, but the metal parts are cheap and it leaks from the connector. The "fabric??" of the hose retains water and stays wet for hours or days depending on how hot - or not - the weather is. I do not recommend this product.
OUTPUT: negative

INPUT: It didn’t work at all. All the wax got stuck at the top and would never flow.
OUTPUT: negative

INPUT: Maybe it's just my luck because this seems to happen to me with other products but the motor broke in 2 weeks. That was a bummer. I liked it for the 2 weeks though!
OUTPUT: neutral

INPUT: It will not turn on. It was a gift and the person called and said it does not work. It won't turn on. I would like to send back and get either another or my money back.
OUTPUT: negative

INPUT: The nozzle broke after a week and I reached out to the seller but got no response
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

INPUT: For the money, it's a good buy... but the fingerprint ID just doesn't work very good. After several attempts, it would not allow me to register my fingerprint. So... I just use the key to lock and unlock the safe, and that's not a problem. If you want something with the ability to open with your fingerprint, you'll need to spend a bit more, but if fingerprint id isn't something you absolutely need to have, then this safe is for you.
OUTPUT: neutral

INPUT: They were supposed to be “universal” but did not cover the whole seat of a Dodge Ram 97
OUTPUT: negative

INPUT: Great ideas in one device. One of those devices you pray you’ll never need, but I’m pretty sure are up for the task.
OUTPUT: positive

INPUT: I look fabulous with this glasses on, totally worth it! :D
OUTPUT: positive

INPUT: Not worth your time. PASS.
OUTPUT: negative

INPUT: Much better than driving with no indication that you are a student driver. Maybe in the next set you can include "new driver" for when people graduate out of being a student driver. (for use after you pass the road test, etc.)
OUTPUT:


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

INPUT: Much smaller than what I expected. The quality was not that great the paper in the lower end of the cup was ruined after first wash with the kids.
OUTPUT: neutral

INPUT: These make it really easy to use your small keyboard on your phone. Would recommend to everyone.
OUTPUT: positive

INPUT: Holy Crap what a Cliffy! Loved this book from beginning to end and is my absolute favorite so far! Can’t wait for book 4!
OUTPUT: positive

INPUT: Just received in mail, I think I received a used one as it had writing in the first 3 pages. And someone else's name... Otherwise seems like pretty good quality
OUTPUT: neutral

INPUT: Please do not buy this! I was so excited and I got one for me and my co worker because we freeze in our offices. It's so small and barely even heats up. One of them didn't even work at all!
OUTPUT: negative

INPUT: Much smaller than anticipated. More like a notepad size than a book.
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

INPUT: My cats went CRAZY over this!
OUTPUT: positive

INPUT: Horrible after taste. I can imagine "Pine Sol Cleaning liquid" tasting like this. Very strange. It's a NO for me.
OUTPUT: negative

INPUT: I was very disappointed in this item. It is very soft and not chewy. It falls apart in your hand. My dog eats them but I prefer a more chewy treat for my dog.
OUTPUT: negative

INPUT: Can’t get ice all the way around the bowl. Only on the bottom, so it didn’t keep my food as cold as I would have liked.
OUTPUT: neutral

INPUT: Just received it and so far so good. No issues, did a great job. For a family on a budget trying to waste as least food as possible, it is a great investment and it was very affordable too.
OUTPUT: positive

INPUT: My cats have no problem eating this . I put it in their food .
OUTPUT:


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

INPUT: I never received my item that I bought and it’s saying it was delivered.
OUTPUT: negative

INPUT: These monitors arrived fairly quickly and they're a great deal but the packages were in ridiculous condition. Big boot footprints were on two boxes, a big hole in another and all of them were crushed pretty good. I haven't opened and setup the monitors yet but I'll be surprised if some aren't damaged. Probably need a new shipping company or contact them about the shape some of those are in.
OUTPUT: neutral

INPUT: Absolutely terrible. I ordered these expecting a quality product for 10 dollars. They were shipped in an envelope inside of another envelope all just banging against each other while on their way to me from the seller. 3 of them are broken internally, they make a rattle noise as the ones that work do not. I will be requesting a refund for these and filing a complaint with Amazon. Don't purchase unless you like to buy broken/damaged goods. Completely worthless.
OUTPUT: negative

INPUT: Stop using Amazon Delivery Drivers, they are incompetent and continually damage packages
OUTPUT: negative

INPUT: The packaging of this product was terrible. Just the device with no instructions in a box with no bubble wrap. Device rolling around in a box 3x’s it’s size. No order slip.
OUTPUT: neutral

INPUT: Amazon never deliver the items. Horrible customer service. Considering new purchase choices.
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

INPUT: Good deal for a good price
OUTPUT: positive

INPUT: Great product! No complaints!
OUTPUT: positive

INPUT: Very cheaply made, its not worth your money, ours came already broken and looks like it's been played with, retaped, resold.
OUTPUT: negative

INPUT: Perfect, came with everything needed. God quality and fit perfectly. Much less then original brand.
OUTPUT: positive

INPUT: Solid value for the money. I’ve yet to have a problem with the first pair I bought. Buying a second for my second box.
OUTPUT: positive

INPUT: Great price. Good quality.
OUTPUT:


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

INPUT: I dislike this product it didnt hold water came smash in a bag and i just thow it in the trash
OUTPUT: negative

INPUT: Horrible after taste. I can imagine "Pine Sol Cleaning liquid" tasting like this. Very strange. It's a NO for me.
OUTPUT: negative

INPUT: It didn’t work at all. All the wax got stuck at the top and would never flow.
OUTPUT: negative

INPUT: Glass is extremely thin. Mine broke into a million shards. Very dangerous!
OUTPUT: neutral

INPUT: Ordered two identical rolls. One arrived with the vacuum bag having a large hole poked in the center - almost the size of the center hub hole. Since the roll arrives in a product box the hole either occurred before boxing at the manufacturer or I received a return. The seller responded promptly and asked for photos, which I provided. Then they asked if there was anything wrong with the product. Huh? I replied it has some issues (likely moisture related). Then they asked for details of issues. Huh? Well, I've had enough of providing them details of the damaged/defective product.
OUTPUT: neutral

INPUT: Seal was already broken when I opened the container and it looked like someone had used it.
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

INPUT: Its good for the loose skin postpartum. I'm gonna use it for another waist trainer. Not tight enough.
OUTPUT: neutral

INPUT: Clasps broke off after having for only a few months 😢
OUTPUT: negative

INPUT: So cute! And fit my son perfect so I’m not sure about an adult but probably would stretch.
OUTPUT: positive

INPUT: I really love this product. I love how big it is compare to others diaper changing pads. I love the extra pockets and on top of that you get a free insulated bottle bag. All of that for an amazing price.
OUTPUT: positive

INPUT: You want an HONEST answer? I just returned from UPS where I returned the FARCE of an earring set to Amazon. It did NOT look like what I saw on Amazon. Only a baby would be able to wear the size of the earring. They were SO small. the size of a pin head I at first thought Amazon had forgotten to enclose them in the bag! I didn't bother to take them out of the bag and you can have them back. Will NEVER order another thing from your company. A disgrace. Honest enough for you? Grandma
OUTPUT: negative

INPUT: This item is terrible for pregnant woman! Poorly designed! Poor quality! The straps just keep popping off and it’s even big on me. When I adjust it nothing changes. Do not buy.
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

INPUT: Good deal for a good price
OUTPUT: positive

INPUT: Just received it and so far so good. No issues, did a great job. For a family on a budget trying to waste as least food as possible, it is a great investment and it was very affordable too.
OUTPUT: positive

INPUT: Perfect brush, small radius, and good quality.
OUTPUT: positive

INPUT: Easy to install, fits perfectly, and does a good job.
OUTPUT: positive

INPUT: the quality is okay. i would give 3 start rating for this.
OUTPUT: neutral

INPUT: Good quality and price.
OUTPUT:


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

INPUT: Works as it says it will!
OUTPUT: positive

INPUT: I don't like anything about it and I don't like that it is not able to be returned. JUNK!
OUTPUT: negative

INPUT: Works very well. Easy to set alarms, and time. The snooze/backlight function is pretty neat too. The dim back light is also nice so that you can actually read the time in the dark.
OUTPUT: positive

INPUT: I was totally looking forward to using this because I tried the original solution and it was great but it burned my skin because I have sensitive skin but this one Burns and makes my make up look like crap I wouldn’t recommend it at all don’t waste your money
OUTPUT: negative

INPUT: To me this product just does not work. Decided to give this a try based on the great reviews this product has. I used it for about two weeks and just did not feel any extra energy nor anything else. Obviously the seller has a good system, maybe even a little scam going on, give me a 5 star review and we will send you a free one. Not saying this will happen to everyone, but these were my results. Happy shopping!
OUTPUT: negative

INPUT: Does what it says, works great.
OUTPUT:


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

INPUT: I like this product, make me feel comfortable. I can use it convenient. The price is very cheap.
OUTPUT: positive

INPUT: Quality made from a family business. Sometimes a challenge to move around due to the chew toys hanging off but gives our puppy something to knaw on throughout the night. 5 month update: Our dog doesn't destroy many toys but since he truly loves this one he has ripped off the head, the tail rope, torn a few corner rope rings, put teeth marks in the internal foam and now ripped the underside of the cover. I'm giving this 4 stars still due to the simple fact that he LOVES this thing. Purchased right before they sold out, maybe the new model is more durable. Update with new model: The newer model has some areas where design has decreased in quality. The "tail" rope is not attached nearly as well as the first one. However, so far nothing has been ripped off of it in the 3 weeks since we have received it. He still loves it though!
OUTPUT: neutral

INPUT: The glitter gel flows, its super cute.
OUTPUT: positive

INPUT: Fantastic belt ,love it . This is my second one , the first one was a little small but this one is perfect. I suggest you order one size bigger than your waist size.
OUTPUT: negative

INPUT: I like everything about the pill box except its size. I take a lot of supplements and the dispenser is just too small to hold all the pills that I take.
OUTPUT: neutral

INPUT: Definitely not what I expected! Now to say this I usually use the Doc Johnson Seven Wonders vibrator which is awesome I think they stop making it so I had to find an alternative so I found this one the price was decent read the reviews you know looked at everybody else reviews and base it off of that so hey I ordered okay so I had it for a few weeks now wanted to give an honest review and honestly... I hate it I think it's more or less the design of the applicator I don't really like the fatness of it I really like to sleep slim ones that to me they really stimulate your clit a whole lot better but hey that's just my opinion I went by it again that we looking for alternative hope this helps anybody on the quest to find a good bullet LOL LOL
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

INPUT: I like this product, make me feel comfortable. I can use it convenient. The price is very cheap.
OUTPUT: positive

INPUT: So small can't even see it in my garage i though was a lil bigger
OUTPUT: negative

INPUT: Works as it says it will!
OUTPUT: positive

INPUT: Please do not buy this! I was so excited and I got one for me and my co worker because we freeze in our offices. It's so small and barely even heats up. One of them didn't even work at all!
OUTPUT: negative

INPUT: The item ordered came exactly as advertised. I highly recommend this vendor and would order from them again.
OUTPUT: positive

INPUT: This item is smaller than I thought it would be but it works great!
OUTPUT:


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

INPUT: Chair is really good for price! I have 6 children so I was looking for something not to expensive but good, this chair is really good comparing with others and good prices
OUTPUT: positive

INPUT: Great hold and strength on the magnet. Can be easily maneuvered to fit your needs for holding curtains back.
OUTPUT: positive

INPUT: Overall it’s a nice bed frame but it comes with scratches all over the frame. It comes with a building kit (kind of like an IKEA building kit) so it takes a while
OUTPUT: neutral

INPUT: great throw for high end sofa, and works with any style even contemporary sleek sectionals
OUTPUT: positive

INPUT: I would love to give this product 5 star but unfortunately it just doesn’t cut due to quality. I bought them only (and only) for my toddlers snacks. And for that purpose they work great. I would probably use them in other situations as well if they were all the same. And yes I understand, if they are hand carved from one piece of wood, there could be slight difference, but that’s where product quality control comes in. I guess they just didn’t want any faulty products and decided to sell them all no matter what.
OUTPUT: neutral

INPUT: The furniture is a bit smaller and lighter than what I was expecting, but for the price it does the job. I probably will do a bit more research for future outdoor furniture buying, but for now this set is good enough.
OUTPUT:


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

INPUT: FIRE HAZARD DO NOT PURCHASE. Used once as instructed wires melted and caught fire!!!
OUTPUT: negative

INPUT: Does not work mixed this with process solution and 000 and nothing. Looked exactly the same as i first put it on.
OUTPUT: negative

INPUT: The iron works good, but its very small, almost delicate. The insulation parts on the tip were plastic not ceramic. Came with the plug that's a bonus. But it took quite a bit longer then most things on amazon to ship. I use it for soldering race drones, i ordered the smaller tip, and its actually to small for all but my micro drones. Had to order another tip. Gets hot pretty quick. Apparently this is a firmware upgrade you can do to make it better, but i didn't have to use it.
OUTPUT: neutral

INPUT: Ummmm, buy a hard side for your expensive wreath. It is too thin to protect mine.
OUTPUT: neutral

INPUT: The picture shows the fuel canister with the mosquito repeller attached so I assumed it would be included. However, when I opened the package I discovered there was no fuel. Since it is not included, the picture should be removed. If someone orders this and expects to use it immediately, like I did, they will be very disappointed.
OUTPUT: negative

INPUT: Worked with the torch. Blue flame. It burned hot enough to destroy aluminum foil
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

INPUT: Looks good. Clasp some times does not lock completely and the watch falls off. One time it fell off and the back cover popped off. I do get lots of compliments of color combination.
OUTPUT: neutral

INPUT: One half stopped working after month of use
OUTPUT: negative

INPUT: Downloaded the app after disconnecting my cable provider to watch shows that I enjoy and to see any of them you have to sign in thru your cable provider. Really disappointed!!
OUTPUT: negative

INPUT: I did not receive the Fitbit Charge HR that I ordered, I got a Fitbit FLEX ,,, and I am very upset and do NOT like not receiving what I ordered
OUTPUT: negative

INPUT: Bought this just about 6 months agi and is already broken. Just does not charge the computer and is as good as stone. Would not recommend this and instead buy the original from he Mac store. This product is not worth the price.
OUTPUT: negative

INPUT: This watch was purchased in mid-June. Not even 2 months later it's losing 45 minutes every 4 hours. The indicator boasts a "full charge" but still, losing >10 minutes every hour - faulty. Amazon's customer service was A COMPLETE JOKE. I was on the line for over ten minutes (probably longer but my watch runs slow), and got nowhere. Out of warranty.
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

INPUT: It arrived broken. Not packaged correctly.
OUTPUT: negative

INPUT: Ordered two identical rolls. One arrived with the vacuum bag having a large hole poked in the center - almost the size of the center hub hole. Since the roll arrives in a product box the hole either occurred before boxing at the manufacturer or I received a return. The seller responded promptly and asked for photos, which I provided. Then they asked if there was anything wrong with the product. Huh? I replied it has some issues (likely moisture related). Then they asked for details of issues. Huh? Well, I've had enough of providing them details of the damaged/defective product.
OUTPUT: neutral

INPUT: It's only been a few weeks and it looks moldy & horrible. I bought from the manufacturer last year and had no problems.
OUTPUT: negative

INPUT: I recieved a totally different product than I ordered (pictured) and I see that I cannot return it !?! I give them one star just because I'm tryin to be nice. I ordered these black hats for a christmas project that I am doin with my 5 yr old son for his classroom and now I'm afraid to even try to reorder them again in fear that I'll recieve another different product.
OUTPUT: negative

INPUT: I would buy it again. Just as a treat, was a nice little side dish pack for nights when me or my husband didn't want to cook.
OUTPUT: neutral

INPUT: The outer packing was rotten by the time it arrived and it can not be returned.
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

INPUT: I ordered two pairs of these shorts and was sent completely wrong sizes. I have both pairs same item ordered and the shorts are completely different sizes but are labeled the same size. One pair is 4 inches longer than the other.
OUTPUT: negative

INPUT: I washed it and it lost much of its plush feel and color.
OUTPUT: neutral

INPUT: They are huge!! Want too big for me.
OUTPUT: neutral

INPUT: I like this swim suit but it fits really small. I am a size 14 and per reviews that's what I ordered. It runs really small. Also a lot of mesh in the back and on the sides of this suit. Don't like that. its going back....sad
OUTPUT: negative

INPUT: I have bought these cloths in the past, but never from Amazon. In contrast to previous purchases, these cloths do not absorb properly after the first wash. After washing they feel more like 'napkins'... very disappointed.
OUTPUT: negative

INPUT: When I washed them they shrunk I order a bigger size because I knew they would shrink a little but they shrunk to much
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

INPUT: past is not enough strong
OUTPUT: negative

INPUT: Apparently 2 Billion is not very many in the world of probiotics
OUTPUT: neutral

INPUT: Waste of money!! Don’t buy this product. just helping community. I trusted reviews about that but all wrong
OUTPUT: negative

INPUT: Not a credible or tasteful twist at the end of the book
OUTPUT: neutral

INPUT: My cats went CRAZY over this!
OUTPUT: positive

INPUT: not what i exspected!
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

INPUT: Good but arrived melted because of heat even though it had been boxed with ice pack which was melted!
OUTPUT: neutral

INPUT: These monitors arrived fairly quickly and they're a great deal but the packages were in ridiculous condition. Big boot footprints were on two boxes, a big hole in another and all of them were crushed pretty good. I haven't opened and setup the monitors yet but I'll be surprised if some aren't damaged. Probably need a new shipping company or contact them about the shape some of those are in.
OUTPUT: neutral

INPUT: Very poorly packaged. The glasses banged each other. Should have been bubble wrapped. So bummed that I can’t use these for a party tonight!
OUTPUT: negative

INPUT: Mango butter was extremely dry upon delivery.
OUTPUT: negative

INPUT: DISAPPOINTED! Owl arrived missing stone for the right eye. Supposed to be a gift.
OUTPUT: neutral

INPUT: Arrived frozen solid. Been in the house for 2 hours and still frozen. Brought into house 7 min after delivered. Probably ruined. Suspect package was in delivery vehicle overnight. Waste of money.
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

INPUT: I would love to give this product 5 star but unfortunately it just doesn’t cut due to quality. I bought them only (and only) for my toddlers snacks. And for that purpose they work great. I would probably use them in other situations as well if they were all the same. And yes I understand, if they are hand carved from one piece of wood, there could be slight difference, but that’s where product quality control comes in. I guess they just didn’t want any faulty products and decided to sell them all no matter what.
OUTPUT: neutral

INPUT: I never bought this product so why the hell isn't showing up in my order history
OUTPUT: negative

INPUT: Very cheaply made, do not think this is quality stainless steel. The leafs of the steamer were sticking together and not opening smoothly. Poor quality in comparison to the Pyrex brand I had for 15 years. Returned.
OUTPUT: negative

INPUT: The width and the depth were opposite of what it said, so they did not fit my cabinet.
OUTPUT: negative

INPUT: I ordered green but was sent grey. Bought it to secure outside plants/shrubs to wooden poles. Wrong color but I'll make it work.
OUTPUT: neutral

INPUT: I’m very upset I ordered the knife set for the black holder and ended up with a wooden one. I wish that information was disclosed I would have gone with a different knife set. I wanted it to match my kitchen.
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

INPUT: Very drying on my hair .
OUTPUT: negative

INPUT: Easy to clean. Great length for my toddler!
OUTPUT: positive

INPUT: I have bought these cloths in the past, but never from Amazon. In contrast to previous purchases, these cloths do not absorb properly after the first wash. After washing they feel more like 'napkins'... very disappointed.
OUTPUT: negative

INPUT: Had to use washers even though the bolts were stock like beveled in appearance. 3 pulled through the skid, and there isn't any rust issues. I called daystar because i spent the money so i wouldn't have to use washers. They told me to use washers.
OUTPUT: neutral

INPUT: It leaves white residue all over dishes! Gross!
OUTPUT: negative

INPUT: washes out very quickly
OUTPUT:


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

INPUT: The book is fabulous, but not in the condition i was lead to believe it was in. I thought i was buying a good used copy, what i got is torn cover and some kind of humidity damaged book. I give 5 stars for the book, 2 stars for the condition.
OUTPUT: neutral

INPUT: This is a very helpful book. Easy to understand and follow. Much rather follow these steps than take prescription meds. There used to be an app that worked as a daily checklist from the books suggestions, but now I cannot find the app anymore. Hope it comes back or gets updated.
OUTPUT: positive

INPUT: These notebooks really keep me on track, love them!
OUTPUT: positive

INPUT: Whoever packed this does not care or has a lot to learn about dunnage.
OUTPUT: negative

INPUT: The book is very informative, with great tips and tricks about how to travel as well as what the locations are about which is both it's good and bad aspect. It gives so much interesting context, it may be overly insightful. For the person who must know everything, this is great. For the person who has no idea. Googling will suffice.
OUTPUT: neutral

INPUT: I bought this book and the McGraw hill book and I really liked the Smart Edition book better. The answer explanations were more detailed and I actually found quite a few errors in the McGraw hill book, I stopped using it after that and just used this one. This one also comes with the online version of the tests and flashcards so it really is a better deal
OUTPUT:


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

INPUT: So small can't even see it in my garage i though was a lil bigger
OUTPUT: negative

INPUT: Much smaller than what I expected. The quality was not that great the paper in the lower end of the cup was ruined after first wash with the kids.
OUTPUT: neutral

INPUT: A bit taller than expected. I’m 5’11 & use these at the shortest adjustment. Would be nice to shorten for going up hill. They do extend for going down hill.
OUTPUT: neutral

INPUT: The width and the depth were opposite of what it said, so they did not fit my cabinet.
OUTPUT: negative

INPUT: seems okay, weaker than i thought it be be and too tight
OUTPUT: neutral

INPUT: way smaller than exspected
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

INPUT: These raw cashews are delicious and fresh.
OUTPUT: positive

INPUT: The 8 year old nephew said he wanted this for his birthday. I felt it was a bit much for a toy but he caught me on a good day. Come to find out it's a fragile collectible so the nephew lost all the small parts the moment he opened it. I guess it's adequate for collectors that want detail on such a small figurine.
OUTPUT: neutral

INPUT: Can’t get ice all the way around the bowl. Only on the bottom, so it didn’t keep my food as cold as I would have liked.
OUTPUT: neutral

INPUT: I opened a bottle of this smart water and took a large drink, it had a very strong disgusting taste (swamp water). I looked into the bottle and found many small particles were floating in the water... a few brown specs and some translucent white. I am completely freaked out and have contacted Coca-Cola, the product manufacture.
OUTPUT: negative

INPUT: Super cute and would be effective for the average chewer. My dog had the east of in less than a minute. I liked that when the limbs were removed, the stuffing wasn't exposed.
OUTPUT: neutral

INPUT: This rice is from the ice age. It tastes ghastly and revolting. I threw the rest away and I'm sure not even the ants will like it. It seems to be leftovers from Neanderthals which might add some archeological value to it.
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

INPUT: Just as advertised. Quick shipping.
OUTPUT: positive

INPUT: Please note that it’s pretty small, so it’ll take a few trips to grind enough for a good session. Also the top is kinda tricky because you have to screw it on each time to grind.
OUTPUT: neutral

INPUT: Well, I ordered the 100 pack and what came in the mail was silver eyeshadow....Yep, silver women’s eyeshadow...no blades....how does that happen???
OUTPUT: negative

INPUT: Not reliable and did not chop well. Came apart with second use. Pampered Chef is my all-time favorite with Zyliss coming in second.
OUTPUT: negative

INPUT: Stop using Amazon Delivery Drivers, they are incompetent and continually damage packages
OUTPUT: negative

INPUT: Fast shipping. Unfortunately, upon opening I noticed a sizable chip on the 1000 grit side. Hopefully still useable after a little grinding.
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

INPUT: Not worth it the data cable had to move it in a certain position to make it work i just returned it back.
OUTPUT: negative

INPUT: Water pump works perfectly and arrived as promised.
OUTPUT: positive

INPUT: I am very upset and disappointed, a month ago I bought this axial and the second time I went to use it, the control stopped working, the car did not roll or move the direction to any side, I took it to check with a technician and made several tests connecting different controls to the car and it worked perfect but when we put back the control that brought the car did not work, very annoying since in theory this is one of the best cars and brands that are in the market
OUTPUT: neutral

INPUT: did not work, spit out fog oil ,must have got a bad one
OUTPUT: negative

INPUT: When I received this product, I took the tracker out of the package and plugged it in in order to charge it-it never turned on! I did that was suggested, but to no avail!
OUTPUT: negative

INPUT: Had to return it. Didn’t work with my Rx. Tested it once upon arrival, seemed fine. The next day it was leaking.
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

INPUT: This is even sexier than the pic! It has good control and is smooth under all my clothes! It's also comfortable and I'm able to easily wear it all day, it doesn't roll down either!
OUTPUT: positive

INPUT: Ordered two identical rolls. One arrived with the vacuum bag having a large hole poked in the center - almost the size of the center hub hole. Since the roll arrives in a product box the hole either occurred before boxing at the manufacturer or I received a return. The seller responded promptly and asked for photos, which I provided. Then they asked if there was anything wrong with the product. Huh? I replied it has some issues (likely moisture related). Then they asked for details of issues. Huh? Well, I've had enough of providing them details of the damaged/defective product.
OUTPUT: neutral

INPUT: I never should've ordered this for my front porch steps. It had NO Adhesion and was a BIG disappointment.
OUTPUT: negative

INPUT: Warped. Does not sit flat on desk.
OUTPUT: negative

INPUT: Received this file box last night, and begin to put my documents in as soon as I received it. It is very good for me as my husband and I get a lot paperwork to save. The colorful tags make it easier to find what I want. The material is strong. I finally get something to help with the messy drawer! Love this product! I believe I will buy another one when this one is full!
OUTPUT: positive

INPUT: Beautiful rug and value however rolling it on a one inch roll is ridiculous. I can’t remember the last 5 X 7 rug that comes rolled up on a cardboard roll. While I understand the rug will flatten eventually it should be after a day or so. Not days with weights on it, flipping it and steaming it. Good think I’m not having company tomorrow.
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

INPUT: Stop using Amazon Delivery Drivers, they are incompetent and continually damage packages
OUTPUT: negative

INPUT: Ordered these for my daughter as a Christmas present. When she opened the case 3 of the markers did not have the caps on and were completely dried out. She was very disappointed. She then starting testing all of them on a piece of paper, several of them began to run out of ink very quickly. Not happy with this product, tried to return, however these markets are an unreturnable item.
OUTPUT: negative

INPUT: I am returning product, I’ve been getting the same Wella Brilliance shampoo for years...the darker and cheaper one circled, and the last Two deliveries were the lighter bottle which smells nothing like the product I want and have been using for nearly 10 years. Extremely dissatisfied, why would they have two products and two prices and send the one you DONT PICK????
OUTPUT: negative

INPUT: I like these storage bins overall. The color of the lining inside wasn’t expected, it shows a light brown color in the photo but it’s pretty dark. I would have preferred the lining inside to match the outside, tan or grey. Other than that they are cute and look as pictured.
OUTPUT: neutral

INPUT: Just as advertised. Quick shipping.
OUTPUT: positive

INPUT: I use these cartridges all the time, but this is my first time to order them from Amazon (I had a gift card on Amazon that needed to be used). The box which, actually, was shipped from Office Depot was damaged when it arrived; however, the cartridges appear not to be damaged. I'll find out for sure when I install them (not all at the same time). An interesting thing about my order: I wanted a box of 2 black cartridges, also, but there was a delivery charge on them because the order would be fulfilled by Office Depot - there was free shipping on the color cartridges (fulfilled by Amazon). Rather than pay shipping on the black cartridges, I bought them at the local Walmart for the same price as through Amazon -- no shipping charges. The interesting thing was that when the color cartridges arrived, they had been shipped by Office Depot -- no shipping charges on them. Why shipping charges on black but not color -- price on each was more than the $25 amount required for free shipping and both shipped from Office Depot? Doesn't make sense to me.
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

INPUT: 2 out of four came busted
OUTPUT: neutral

INPUT: These little lights are awesome. They put off a nice amount of light. And you can put them ANYWHERE! I have put one in the pantry. Another in my linen closet. Another one right next to my bed for when I get up in the middle of the night. Have only had them about a month but so far so good!
OUTPUT: positive

INPUT: The picture shows the fuel canister with the mosquito repeller attached so I assumed it would be included. However, when I opened the package I discovered there was no fuel. Since it is not included, the picture should be removed. If someone orders this and expects to use it immediately, like I did, they will be very disappointed.
OUTPUT: negative

INPUT: Well, I ordered the 100 pack and what came in the mail was silver eyeshadow....Yep, silver women’s eyeshadow...no blades....how does that happen???
OUTPUT: negative

INPUT: The package only had 1 rectangular pan and 1 cupcake pan. Missing 2 rectangular pans.
OUTPUT: negative

INPUT: Only 6 of the 12 lights were included...
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

INPUT: What a really great set of acrylics. My daughter has been painting with them since they came in. The colors come in a wide range of vibrant colors that have a smooth consistency. These paints are packed in aluminum tubes which allows the paint to not dry or crack over time.
OUTPUT: positive

INPUT: I didn’t like that it was made out of plastic and that you had to put it together yourself.
OUTPUT: negative

INPUT: Im not sure if its just this sellers stock of this product or what but the first order was no good, each bottle had mold and clumps in the bottle and usually companies will put a couple of metal beads in a bottle to aid in the mixing but these had a rock in it... like a rock off the ground. I decided to replace the item, same seller, and once again they were all clumpy and gross... I attached a photo. I wouldnt buy these, at least not from this seller.
OUTPUT: negative

INPUT: Expensive for a kids soap
OUTPUT: neutral

INPUT: I would love to give this product 5 star but unfortunately it just doesn’t cut due to quality. I bought them only (and only) for my toddlers snacks. And for that purpose they work great. I would probably use them in other situations as well if they were all the same. And yes I understand, if they are hand carved from one piece of wood, there could be slight difference, but that’s where product quality control comes in. I guess they just didn’t want any faulty products and decided to sell them all no matter what.
OUTPUT: neutral

INPUT: This was not like the name brand polymer clays I am used to working with. This is much to plasticky feeling, hard to work with, it won’t soften up even the slightest bit with the heat from my hands like the name brand polymers. It was difficult to mold, roll, and impossible to create anything halfway decent looking. This is certainly a case of “you get what you pay for” Stick to the name brand if you want this for anything other than for a kid to mess around with. I am highly disappointed in everything except for the case it came in.
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

INPUT: There are no pockets for organization inside this bag. There are flat divided areas on the outside but not convenient. The material is good and has been durable thus far.
OUTPUT: neutral

INPUT: Overall I liked the phone especially for the price. The durability is my main issue I dropped the phone once onto a wood floor from about 12 inches and the screen cracked after having it for about 2 weeks. Otherwise it seemed to be a decent phone. It had a few little quirks that took a little getting used to but otherwise I think it wood be a good phone if it was more durable.
OUTPUT: neutral

INPUT: Too stiff, barely zips, and is very bulky
OUTPUT: negative

INPUT: I love how the waist doesn't have an elastic band in them. I have a bad back and tight waist bands always make my back feel worse.These feel decent...although If they could make them just one size larger..and not just offer plus size....that would be even better for my back.
OUTPUT: positive

INPUT: It will do the job of holding shoes. It's not glamorous, but it holds shoes and stands in a closet. You will need help with the shelving assembly as it is a two person job.
OUTPUT: neutral

INPUT: All the pockets and functionality are just right. I can't really find anything about the usability that annoys me such as pockets or organization not quite right. The pockets are placed and sized well and I find them all useful. The most annoying thing about it is that it does not stand up straight on its own, however, it has a very predictable side that it falls to. It leans predictably so it is not an actual issue against it's overall usability.
OUTPUT:


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

INPUT: This dress is very comfortable. I would recommend wearing a slip under it as it is very thin. I’m going to have to hem the bottom because it’s long. I’m 5’5” and even in wedges it hits the floor. But it’s great for the price!
OUTPUT: positive

INPUT: Fantastic belt ,love it . This is my second one , the first one was a little small but this one is perfect. I suggest you order one size bigger than your waist size.
OUTPUT: negative

INPUT: This shirt is not long as the picture indicates. It's just below waist length. Disappointed b/c I am 5'10 and wanted to wear with leggings.
OUTPUT: negative

INPUT: The black one with the tassels on the front and it looks pretty cute, perfect for summer. I have broad shoulders so the looseness was great for me but if you are more petit you might not love how oversized it can look (specially the sleeves). Please note, it does SHRINK after washing (not even drying) so beware!! Also, it is very short but cute nonetheless.
OUTPUT: neutral

INPUT: It was recommended by a friend and found that things are really good to wear and I like them very much.
OUTPUT: positive

INPUT: Nice lightweight material without being cheap feeling. Generally the design is nice, except the waist. The sewn in waist band is high. If you are long waisted , it would be way above your waist. I am a medium which is what I ordered. The waistband is about at the last rib in the front. When you tie the attached belt there is an improvement. OK as a house dress for me. I'm 5'4" and it's bit bit long. I just knotted the corners of the bottom hem...that works.
OUTPUT:


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

INPUT: Easy to peel and stick. They don't fall off.
OUTPUT: positive

INPUT: It's only been a few weeks and it looks moldy & horrible. I bought from the manufacturer last year and had no problems.
OUTPUT: negative

INPUT: Bought this iPhone for my 9.7” 6th generation iPad as advertised. Not only did this take over 30 minutes just try to put it on, but it also doesn’t fit whatsoever. When we did get it on, it just bent right off the sides, exposing the entire edges of all the parts of the iPad. This is the worst piece of garbage I have bought from Amazon in years, save your money and go somewhere else!!
OUTPUT: negative

INPUT: very cute style and design, but tarnished after 1 wear!
OUTPUT: neutral

INPUT: This is THE BEST mascara I have found. I live in south Florida and this stays on through humidity, rain, everything and NO clumping or smudging. It's buildable and really easy to remove. LOVE IT!
OUTPUT: positive

INPUT: Peeled off very quickly. Looked good for a short while; maybe a day.
OUTPUT:


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

INPUT: For the money, it's a good buy... but the fingerprint ID just doesn't work very good. After several attempts, it would not allow me to register my fingerprint. So... I just use the key to lock and unlock the safe, and that's not a problem. If you want something with the ability to open with your fingerprint, you'll need to spend a bit more, but if fingerprint id isn't something you absolutely need to have, then this safe is for you.
OUTPUT: neutral

INPUT: It will not turn on. It was a gift and the person called and said it does not work. It won't turn on. I would like to send back and get either another or my money back.
OUTPUT: negative

INPUT: Ordered these for my daughter as a Christmas present. When she opened the case 3 of the markers did not have the caps on and were completely dried out. She was very disappointed. She then starting testing all of them on a piece of paper, several of them began to run out of ink very quickly. Not happy with this product, tried to return, however these markets are an unreturnable item.
OUTPUT: negative

INPUT: This product does not work at all. I have tried it on two of my vehicles and it does not cover light scratches. Waste of money.
OUTPUT: negative

INPUT: The paw prints are ALREADY coming off the bottom of the band where you snap it together, I've only worn it three times. Very upset that the paw prints have started rubbing off already 😡
OUTPUT: neutral

INPUT: Finger print scanned does not work with it on
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

INPUT: This cable is not of very good quality. It doesn’t fit right so you have to hold the connector to the port in order to work.
OUTPUT: negative

INPUT: It didn’t work at all. All the wax got stuck at the top and would never flow.
OUTPUT: negative

INPUT: Needs a longer handle but that's my only complaint. Otherwise works well.
OUTPUT: neutral

INPUT: This product worked just as designed and was very easy to install.The setup is so simple for each load on the trailer.I would def recommend this item for anyone needing a break controller.
OUTPUT: positive

INPUT: I just got these in the mail. Work for like a minute and than gives me the accessory is not supported by this iPhone. I have the iPhone 7. It’s really wack for a deal of two of them
OUTPUT: negative

INPUT: Works perfectly. Only criticism might be that the OD doesn’t match so it’s very apparent that an adapter is being used but glad to be able to use old attachments!
OUTPUT:


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

INPUT: Waste of money!! Don’t buy this product. just helping community. I trusted reviews about that but all wrong
OUTPUT: negative

INPUT: Not worth it the data cable had to move it in a certain position to make it work i just returned it back.
OUTPUT: negative

INPUT: Please do not buy this! I was so excited and I got one for me and my co worker because we freeze in our offices. It's so small and barely even heats up. One of them didn't even work at all!
OUTPUT: negative

INPUT: 2 out of three stopped working after two weeks.! Threw them all in the trash. Don't waste your money
OUTPUT: negative

INPUT: Very cheaply made, its not worth your money, ours came already broken and looks like it's been played with, retaped, resold.
OUTPUT: negative

INPUT: DO NOT BUY! Device did not work after the first use and the company is ignoring my return request. You want the device to be reliable when you need it. I no longer trust this brand.
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

INPUT: Ordered these for a friend and he loved them!
OUTPUT: positive

INPUT: Too stiff, barely zips, and is very bulky
OUTPUT: negative

INPUT: Picture was incredibly misleading. Shown as a large roll and figured the size would work for my project, then I received the size of a piece of paper.
OUTPUT: negative

INPUT: Awesome little pillow! Made it easy to transport on my motorcycle.
OUTPUT: positive

INPUT: Perfect brush, small radius, and good quality.
OUTPUT: positive

INPUT: Love these rollers! Very compact and easy to travel with!
OUTPUT:


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

INPUT: Easy to peel and stick. They don't fall off.
OUTPUT: positive

INPUT: I was totally looking forward to using this because I tried the original solution and it was great but it burned my skin because I have sensitive skin but this one Burns and makes my make up look like crap I wouldn’t recommend it at all don’t waste your money
OUTPUT: negative

INPUT: Wore it when I went to the bar a couple times and the silver coating started to rub off but for the price I cannot complain. My biggest issue I have with it is it flipping around. Got a lot of compliments though.
OUTPUT: neutral

INPUT: The first guard may serve more as a learning curve. I do kinda prefer to use the ones that come with molding trays. This didn't help until about 3-4 nights of use. Even then, sometimes it feels like my upper gum underneath, is strange feeling the next morning
OUTPUT: neutral

INPUT: Absolutely horrible vinyl does not stick at all I even had my heat breast up to 450 and it still wouldn't
OUTPUT: negative

INPUT: Maybe I’m not that good at applying it. But it seems really hard to get on without streaks, and it only seems to work okay
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

INPUT: Very poorly packaged. The glasses banged each other. Should have been bubble wrapped. So bummed that I can’t use these for a party tonight!
OUTPUT: negative

INPUT: Half of the pads were dried out. The others worked great!
OUTPUT: neutral

INPUT: I've been using this product with my laundry for a while now and I like it, but I had to return it because it wasn't packaged right and everything was damaged.
OUTPUT: negative

INPUT: The clear backing lacks the stickiness to keep the letters adhered until you’re finished weeding! It’s so frustrating to have to keep up with a bunch of letters and pieces that have curled and fell off the paper! It requires additional work to make sure that they’re aligned properly and being applied on the right side, which was an issue for me several times! I purchased 3 packs of this and while it’s okay for larger designs, it sucks for lettering or anything intricate 😏 Possibly it’s old and dried out, but in any event, I will not be buying from this vendor again and suggest that you don’t either!
OUTPUT: negative

INPUT: Ordered two identical rolls. One arrived with the vacuum bag having a large hole poked in the center - almost the size of the center hub hole. Since the roll arrives in a product box the hole either occurred before boxing at the manufacturer or I received a return. The seller responded promptly and asked for photos, which I provided. Then they asked if there was anything wrong with the product. Huh? I replied it has some issues (likely moisture related). Then they asked for details of issues. Huh? Well, I've had enough of providing them details of the damaged/defective product.
OUTPUT: neutral

INPUT: The product is fine and the delivery was fast, but there's no way to seal the package once it's opened. There's a wide piece of tape, but you have to cut the package open to get into it unlike most wipes that have a slit with an adhesive to cover it afterward. If you don't seal them back up they go dry and are useless.
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

INPUT: Easy to use, quick and mostly painless!
OUTPUT: positive

INPUT: Really cute outfit and fit well. But, the two bows fell off the top the first time worn. The bows were glued on opposed to sewn.
OUTPUT: neutral

INPUT: As a hard shell jacket, it’s pretty good. I ordered the extra large for a skiing trip. It comes small so order a size bigger then normal. I can not use the fleece liner because it is too small. The hard shell is not water proof. I live in the Pacific Northwest and this is not enough to keep you dry. I really like the look of this jacket too.
OUTPUT: neutral

INPUT: Perfect brush, small radius, and good quality.
OUTPUT: positive

INPUT: Very strong cheap pleather smell that took a few days to air out. One of the straps clips onto the zipper, so be careful of the zipper slowly coming undone as you walk.
OUTPUT: neutral

INPUT: Very breathable and easy to put on.
OUTPUT:


MODEL OUTPUT

 neutral


PARSE RESULT

 ['neutral']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

INPUT: Overall I liked the phone especially for the price. The durability is my main issue I dropped the phone once onto a wood floor from about 12 inches and the screen cracked after having it for about 2 weeks. Otherwise it seemed to be a decent phone. It had a few little quirks that took a little getting used to but otherwise I think it wood be a good phone if it was more durable.
OUTPUT: neutral

INPUT: I thought it was much bigger, it's look like a new born baby ear ring.
OUTPUT: neutral

INPUT: I like this swim suit but it fits really small. I am a size 14 and per reviews that's what I ordered. It runs really small. Also a lot of mesh in the back and on the sides of this suit. Don't like that. its going back....sad
OUTPUT: negative

INPUT: I ordered a screen for an iPhone 8 Plus, but recevied product that was for a different phone. A significantly smaller phone.
OUTPUT: negative

INPUT: Bought this Feb 2019. Its already wore down and in need of replacement. I dont recommend one purchase this unless its jus for looks.
OUTPUT: negative

INPUT: I bought this for my daughter for her new phone and she loves it! It fits the phone very well and looks super cute. It also feels nice and sturdy.
OUTPUT:


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

INPUT: ordered and never received it.
OUTPUT: negative

INPUT: I recieved a totally different product than I ordered (pictured) and I see that I cannot return it !?! I give them one star just because I'm tryin to be nice. I ordered these black hats for a christmas project that I am doin with my 5 yr old son for his classroom and now I'm afraid to even try to reorder them again in fear that I'll recieve another different product.
OUTPUT: negative

INPUT: Help..... I ordered and paid for one and received 3. How do we handle this?? Don’t publish.... just answer
OUTPUT: neutral

INPUT: It will not turn on. It was a gift and the person called and said it does not work. It won't turn on. I would like to send back and get either another or my money back.
OUTPUT: negative

INPUT: I bought the surprise shirt for grandparents, but was sent one for an aunt. I was planning on surprising them with this shirt tomorrow in a cute way, but now I have to postpone the get together until I receive the correct item sent hopefully right this time.
OUTPUT: negative

INPUT: never received my order
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

INPUT: For the S3 Gold: Color matches perfectly, but the band I received is not the same quality as the other BRG bands I’ve bought. The middle metal clasp that attaches to the watch is extremely loose. The entire clasp that slides into the watch is also loose and wiggles. The magnetic clasp to lock the bracelet in place also slides off easily. I love that the color matches, but I either got a defective band or the quality has gone down.
OUTPUT: negative

INPUT: This item appears to be the same as one I purchased from a local hardware store a year or so ago, but it is not finished or burnished to the quality of the one I previously purchased. As such it looks dull, but not exceedingly so. It is close enough to be acceptable.
OUTPUT: neutral

INPUT: Well, I ordered the 100 pack and what came in the mail was silver eyeshadow....Yep, silver women’s eyeshadow...no blades....how does that happen???
OUTPUT: negative

INPUT: Just what I expected! Very nice!
OUTPUT: positive

INPUT: I thought it was much bigger, it's look like a new born baby ear ring.
OUTPUT: neutral

INPUT: This product is not as viewed in the picture, was assuming it would be gold but came in a silver color. Slightly disappointed but not worth returning due to the quality of price.
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

INPUT: Worst iPhone charger ever. The charger head broke after used for 5 Times. Terrible quality.
OUTPUT: negative

INPUT: few cables not working, please reply what to do?
OUTPUT: neutral

INPUT: This cable is not of very good quality. It doesn’t fit right so you have to hold the connector to the port in order to work.
OUTPUT: negative

INPUT: Not enough information and it seems to behave erratically. Not contacted Tech Support yet. Support URL in printed instructions is dead. Needs better instructions for VOIP POTS without cordless phones in home. I am somewhat allergic to radios. Literature does not tell what to expect when CPR Call blocker is disconnected for short period of time. It depends entirely on talk line battery. I need it to work and am not giving up. Tech support seems to be illusive.
OUTPUT: neutral

INPUT: Had some problems getting it to work. The supplied cable was no good - would not charge the battery. When I replaced cable with my own was able to charge and then connect the device via bluetooth to a PC. Had trouble finding the PC software but when I emailed their support they responded within a day with the correct download info. PC program works well for testing the unit after you figure out which port to use (port 4 in my case). The accuracy and stability of the unit look very good for my application, however I was not able to connect to either an iPhone or iPad (tried several of each) via bluetooth. Will have to hard-wire if I decide to use this device in my product.
OUTPUT: neutral

INPUT: Worst cable I have had to date for my iphone. It's so stiff if you move it at all while plugged in, it disconnects. I have to carefully plug it in all the way and it doesn't give that really solid click feel, then if disturbed at all it loses connection. I have another Anker Powerline 1 cable and it has been great. Not sure how the II can go backwards. My window to return has closed so I guess I'll contact them directly and see if they will replace with a different cable.
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

INPUT: Not worth it the data cable had to move it in a certain position to make it work i just returned it back.
OUTPUT: negative

INPUT: Mediocre all around. Durability is "meh". Find a good (modular) set that will last you 10x the durability. This isn't the cheap Chinese headphones you have been looking for. Look for IEM
OUTPUT: neutral

INPUT: I bought this modem/router about two years ago. At the start it seemed to be ok but for the last year plus I’ve had problems with it dropping the internet. This happens on all my devices both Wi-Fi and wired. The only way to restore service was to do a AC power reset. This was happening once or twice a day. Comcast came out, ran a new coax line from the pedestal to the house and boosted the signal level. Same problem. The Arris Tech guys were great but could not solve the problem. Additionally, I lost the 5G service on three occasions. I had to do a factory reset to restore this. I cannot recommend this modem/router based upon my experiences. I purchased a Netgear AC1900 modem/router. It’s fantastic. I’v Had it for over a week with no problems. It’s faster and the range is greater than the Arris. I read online that other people have had problems with the Arris modem/router connected to Comcast. If you have Comcast internet I do not recommend this Arris modem/router. Get the Netgear, its much more reliable.
OUTPUT: negative

INPUT: The case and disc were clean when I got them. No cracks to the case and the game worked as needed. The game itself is wonderful, full of adventure. There isn't much in replay value per se, yet most of the players find themselves going back for more, if only to level up their characters.
OUTPUT: positive

INPUT: Stop using Amazon Delivery Drivers, they are incompetent and continually damage packages
OUTPUT: negative

INPUT: Had Western Digital in all my builds and they've been great. Decided to try the Fire Cuda and it failed two weeks in and I lost so much data. Never again!!
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

INPUT: 2 out of three stopped working after two weeks.! Threw them all in the trash. Don't waste your money
OUTPUT: negative

INPUT: Works very well. Easy to set alarms, and time. The snooze/backlight function is pretty neat too. The dim back light is also nice so that you can actually read the time in the dark.
OUTPUT: positive

INPUT: Wow. I want that time back. What a huge BORE!!
OUTPUT: negative

INPUT: When we received the scoreboard it was broken. We called for support and left our number for a call back. 3 days later no call. Terrible service!
OUTPUT: negative

INPUT: One half stopped working after month of use
OUTPUT: negative

INPUT: The time display stopped working after 3 months. Can now see only bottom half of numbers. Don't buy.
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

INPUT: I did a lot of thinking as I read this book. I felt as though I could really picture what the main character was going through. The author did a great job describing the situations and events. I really rooted for the main character and felt her struggles. It seems as though she had to over come a lot to once again over come a lot. She had a group of interesting characters both supporting her and also ones who were against her. Not a plot to be predicted. I highly recommend this book. It grabbed my attention from the first page and had me thinking about it long after. I look forward to reading the author's next book.
OUTPUT: positive

INPUT: Love the humor and the stories. Very entertaining. BOL!!!
OUTPUT: positive

INPUT: Very informative Halloween Recipes For Kids book. This book is just what I needed with great and delicious recipe ideas. I will make a gift for my mom on her birthday. Thanks, author!
OUTPUT: positive

INPUT: Excellent read!! I absolutely loved the book!! I’ve adopted 4 Siamese cats from Siri over the years and everyone of them were absolute loves. Once you start to read this book, it’s hard to put down. Funny, witty and very entertaining!! Siri has gone above and beyond in her efforts to rescue cats (mainly Siamese)!!
OUTPUT: positive

INPUT: Holy Crap what a Cliffy! Loved this book from beginning to end and is my absolute favorite so far! Can’t wait for book 4!
OUTPUT: positive

INPUT: Great story, characters and everything else. I can not recommend this more!
OUTPUT:


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

INPUT: I thought it was much bigger, it's look like a new born baby ear ring.
OUTPUT: neutral

INPUT: This dress is very comfortable. I would recommend wearing a slip under it as it is very thin. I’m going to have to hem the bottom because it’s long. I’m 5’5” and even in wedges it hits the floor. But it’s great for the price!
OUTPUT: positive

INPUT: I really Like this ring light! It is wonderful for the price and it gets the job done! The only issue is the light bulb heats up too fast and the light goes out, so I have to turn it off wait for a while then turn it back on. I don't think that is supposed to happen...I don't know if I have a defective light or what, but it is a very nice ring light besides the overheating.
OUTPUT: neutral

INPUT: Sorry but these are a waist of money. Washed my handy one time and they come right off. I even glued them on because they were so cheep and didn’t stay when you put the ring on .
OUTPUT: negative

INPUT: This sweatshirt changed my life. I wore this sweatshirt almost every single day from January 25th, 2017 up until last week or so when the hood fell off after almost a year of abuse. This sweatshirt has made me realize that the small things in life are the things that matter. Thank you Hanes, keep doing what you do. Love, Justin
OUTPUT: positive

INPUT: I love the way the ring looks and feels. It's just I chose 5.5 for my ring size and I referenced it to the size chart but it still but it's big on me.
OUTPUT:


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

INPUT: Granddaughter really likes it for her volleyball. well constructed and nice way to carry ball.
OUTPUT: positive

INPUT: When i opened the package 2 of them were broken. Very disappointing
OUTPUT: negative

INPUT: These are great for SO many things. Originally I had them in my drink at a club but then later bought them for my wedding center pieces. The light stays on for weeks but becomes dim after 3 or 4 days. We had a great time leaving the extra ones around the party and will use the extra ones for fun.
OUTPUT: positive

INPUT: They are huge!! Want too big for me.
OUTPUT: neutral

INPUT: The glitter gel flows, its super cute.
OUTPUT: positive

INPUT: My girls love them, but the ball that lights up busted as soon as I removed from the package.
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

INPUT: My puppies loved it!
OUTPUT: positive

INPUT: Chair is really good for price! I have 6 children so I was looking for something not to expensive but good, this chair is really good comparing with others and good prices
OUTPUT: positive

INPUT: This is my third G-shock as I have been addicted to this watch and can never probably use a different brand. Not only this is a beautiful watch, it is also water resistant and is very durable. Good purchase overall and I love the dark blue color. I only miss the night light, which this one does not have
OUTPUT: positive

INPUT: Its good for the loose skin postpartum. I'm gonna use it for another waist trainer. Not tight enough.
OUTPUT: neutral

INPUT: Awesome little pillow! Made it easy to transport on my motorcycle.
OUTPUT: positive

INPUT: Love this booster seat ! My miniature schnauzer Chloe is with me most of the time. She loves riding in the car. Before she couldn't see over dashboard in my truck. Now she can and she loves it. She watches everything going on. Thank you for a well made product. We would order again.
OUTPUT:


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

INPUT: Good deal for a good price
OUTPUT: positive

INPUT: My cousin has one for his kid, my daughter loves it. I got one for my back yard,but not easy to find a good spot to hang it. After i cut some trees, now its prefect. Having lots of fun with my daughter. Nice swing, easy to install.
OUTPUT: positive

INPUT: Very cheaply made, its not worth your money, ours came already broken and looks like it's been played with, retaped, resold.
OUTPUT: negative

INPUT: spacious , love it and get many compliments
OUTPUT: positive

INPUT: Mediocre all around. Durability is "meh". Find a good (modular) set that will last you 10x the durability. This isn't the cheap Chinese headphones you have been looking for. Look for IEM
OUTPUT: neutral

INPUT: well built for the price
OUTPUT:


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

INPUT: I did a lot of thinking as I read this book. I felt as though I could really picture what the main character was going through. The author did a great job describing the situations and events. I really rooted for the main character and felt her struggles. It seems as though she had to over come a lot to once again over come a lot. She had a group of interesting characters both supporting her and also ones who were against her. Not a plot to be predicted. I highly recommend this book. It grabbed my attention from the first page and had me thinking about it long after. I look forward to reading the author's next book.
OUTPUT: positive

INPUT: Challenging. Love the fact that each session extends into 6 more days of devotional study. We are focusing each study for a 2 week period. Awesome focus point for personal growth as building meaningful relationships within our group. Thank you !
OUTPUT: positive

INPUT: Very informative Halloween Recipes For Kids book. This book is just what I needed with great and delicious recipe ideas. I will make a gift for my mom on her birthday. Thanks, author!
OUTPUT: positive

INPUT: Enjoyable but at times confusing and difficult to follow.
OUTPUT: neutral

INPUT: The book is fabulous, but not in the condition i was lead to believe it was in. I thought i was buying a good used copy, what i got is torn cover and some kind of humidity damaged book. I give 5 stars for the book, 2 stars for the condition.
OUTPUT: neutral

INPUT: I'm almost done with this book, but its a little too wordy and not intense enough for me.
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

INPUT: I bought these for a replacement for the original band that broke. Fits perfectly with no issues.
OUTPUT: positive

INPUT: The small cover didn’t seem to work very well. I don’t feel that they do Avery good job from keeping the avocado from turning brown
OUTPUT: neutral

INPUT: Ordered this for a Santa present and Christmas Eve noticed it came broken!
OUTPUT: negative

INPUT: my problem with the product is the fit. I have a large head and it is too tight everywhere and the neck just doesnt feel right. I want to pull it down but then my nose has no room. I can't use it because of the poor fit.
OUTPUT: negative

INPUT: This case is ok, but not exceptional - a 3.5 or 4 max. The issue is there are fewer cases available for the Tab A 10.1 w S pen. Of those the Gumdrop is about the best, but it has some serious issues. The case rubber (silicone, whatever) is very smooth and slick, and doesn't give you a lot of confidence when hold the Tab with one hand. The Tab A is heavy so if your laying down watching a video the case slips in your hand so you have to make frequent adjustments. I had to remove the clear plastic shield that covers the screen because it impaired the touch screen operation. This affected the strength of the 1-piece plastic frame the surrounds the Tab A, so now the rubber outer cover feels really flexible and flimsy. Lastly, they made it difficult to get to the S pen. The S pen is in the back bottom right hand corner of the Tab A, and they made the little rubber flap that protects corner swing backwards for access to the S pen. This means in order to get the S pen out, the flap has to swing out 180 degrees. This is really awkward and hard to do with one hand. This case does a good job protecting my Tab A, but with these serious design flaws I can't recommend it unless you have an S pen, then you don't have much choice.
OUTPUT: neutral

INPUT: Fit as expected to replace broken cover
OUTPUT:


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

INPUT: I am returning product, I’ve been getting the same Wella Brilliance shampoo for years...the darker and cheaper one circled, and the last Two deliveries were the lighter bottle which smells nothing like the product I want and have been using for nearly 10 years. Extremely dissatisfied, why would they have two products and two prices and send the one you DONT PICK????
OUTPUT: negative

INPUT: These rings are dainty & adorable! Can be worn alone or stacked. The craftsmanship put into these rings, is very evident! I will definitely be buying more!!
OUTPUT: positive

INPUT: my expectations were low for a cheap scale. they were not met, scale doesnt work. popped the cover off the back to put a battery in and the wires were cut and damaged. wouldn't even turn on. sending it back. product is flimsy and cheap, spend 20 extra bucks on a better brand or scale.
OUTPUT: negative

INPUT: For the S3 Gold: Color matches perfectly, but the band I received is not the same quality as the other BRG bands I’ve bought. The middle metal clasp that attaches to the watch is extremely loose. The entire clasp that slides into the watch is also loose and wiggles. The magnetic clasp to lock the bracelet in place also slides off easily. I love that the color matches, but I either got a defective band or the quality has gone down.
OUTPUT: negative

INPUT: You want an HONEST answer? I just returned from UPS where I returned the FARCE of an earring set to Amazon. It did NOT look like what I saw on Amazon. Only a baby would be able to wear the size of the earring. They were SO small. the size of a pin head I at first thought Amazon had forgotten to enclose them in the bag! I didn't bother to take them out of the bag and you can have them back. Will NEVER order another thing from your company. A disgrace. Honest enough for you? Grandma
OUTPUT: negative

INPUT: When you order a product, you expect the product to be as described. They were advertised as CAP Dumbbells. However, the product received was Golds Gym dumbbells. If I wanted Golds Gym, I would have bought these from Walmart. I have a complete set of CAP dumbbells, with the exception of my one set from Golds Gym. Is the weight correct, yes. Due they perform, yes. I just expect to get what I paid for not something else. After reading a few other reviews, I see that others have had the same issue.
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

INPUT: Works very well. Easy to set alarms, and time. The snooze/backlight function is pretty neat too. The dim back light is also nice so that you can actually read the time in the dark.
OUTPUT: positive

INPUT: Says it's charging but actually drains battery. Do not buy not worth the money.
OUTPUT: negative

INPUT: The book is very informative, with great tips and tricks about how to travel as well as what the locations are about which is both it's good and bad aspect. It gives so much interesting context, it may be overly insightful. For the person who must know everything, this is great. For the person who has no idea. Googling will suffice.
OUTPUT: neutral

INPUT: This case is ok, but not exceptional - a 3.5 or 4 max. The issue is there are fewer cases available for the Tab A 10.1 w S pen. Of those the Gumdrop is about the best, but it has some serious issues. The case rubber (silicone, whatever) is very smooth and slick, and doesn't give you a lot of confidence when hold the Tab with one hand. The Tab A is heavy so if your laying down watching a video the case slips in your hand so you have to make frequent adjustments. I had to remove the clear plastic shield that covers the screen because it impaired the touch screen operation. This affected the strength of the 1-piece plastic frame the surrounds the Tab A, so now the rubber outer cover feels really flexible and flimsy. Lastly, they made it difficult to get to the S pen. The S pen is in the back bottom right hand corner of the Tab A, and they made the little rubber flap that protects corner swing backwards for access to the S pen. This means in order to get the S pen out, the flap has to swing out 180 degrees. This is really awkward and hard to do with one hand. This case does a good job protecting my Tab A, but with these serious design flaws I can't recommend it unless you have an S pen, then you don't have much choice.
OUTPUT: neutral

INPUT: These notebooks really keep me on track, love them!
OUTPUT: positive

INPUT: The battery life is terrible compared to earlier versions, an all day reading episode uses it up. It is not something I could count on for a long trip without power nearby. Also, it often goes back several pages quickly because my hand gets near the left edge. I regret buying this version.
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

INPUT: Very informative Halloween Recipes For Kids book. This book is just what I needed with great and delicious recipe ideas. I will make a gift for my mom on her birthday. Thanks, author!
OUTPUT: positive

INPUT: Just can't get use to the lack of taste with this ceylon cinnamon. I have to use so much to get any taste at all. This is the first ceylon I've tried so I can't compare. Just not impressed. I agree with some others that it taste more like red hot candy smells. Hope I can find some that has some flavor. I really don't want to go back to the other cinnamon that is bad for us.
OUTPUT: neutral

INPUT: I like everything about the pill box except its size. I take a lot of supplements and the dispenser is just too small to hold all the pills that I take.
OUTPUT: neutral

INPUT: I would buy it again. Just as a treat, was a nice little side dish pack for nights when me or my husband didn't want to cook.
OUTPUT: neutral

INPUT: This makes almost the whole series. Roman Nights will be the last one. Loved them all. Alaskan Nights was awesome. Met my expectations , hot SEAL hero, beautiful & feisty woman. Filled with intrigue, steamy romance & nail biting ending. Have read two other books of yours. Am looking forward to more.
OUTPUT: positive

INPUT: this is a great book for parents who want to maximize their kids health but not lose the flavor and fun of food. spices are not spicy, they’re health boosting and delicious. i love spice momma’s creative recipes and can’t wait for more from her.
OUTPUT:


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

INPUT: 2 out of three stopped working after two weeks.! Threw them all in the trash. Don't waste your money
OUTPUT: negative

INPUT: I saw this and thought it would be good to store the myriad of batts that I have. You must know that this is made to hang on the wall. The lid does not lock down in any way it just hangs lose and bangs into the Size C batts. You can lay it flat but remember the lid does not in any way hold the batteries from falling out if you turn it to the side, Now for me the biggest disappointment is that there are no slots for the batteries that use the most, the CR 123 batts. I rate it just barely useful. I should have read more carefully the description. It is too much trouble to return it so I'll keep it and buy smaller cases with locking lids
OUTPUT: neutral

INPUT: The one star is for UPS. I wish I had been home when delivery was made because I would have refused it. I have initiated return procedures, so hopefully when seller gets this mess back I will receive my $60 in a timely manner.
OUTPUT: negative

INPUT: Apparently 2 Billion is not very many in the world of probiotics
OUTPUT: neutral

INPUT: The battery covers screw stripped out the first day on both cars I purchased for Christmas.
OUTPUT: negative

INPUT: This item takes 2 AA batteries not 2 C batteries like it says
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

INPUT: Not reliable and did not chop well. Came apart with second use. Pampered Chef is my all-time favorite with Zyliss coming in second.
OUTPUT: negative

INPUT: My paper towels kept falling off
OUTPUT: negative

INPUT: I like everything about the pill box except its size. I take a lot of supplements and the dispenser is just too small to hold all the pills that I take.
OUTPUT: neutral

INPUT: We bought it in hopes my son would stop sucking his thumb. He doesn't suck it when it's on but when it's off for eating, bathing, washing hands... he will still do it. We are now going to try the nail polish with bitter taste. This is a good idea, my son just needs something stronger to beat it.
OUTPUT: neutral

INPUT: Awkward shape, does not fit all butter sticks
OUTPUT: neutral

INPUT: Plates won’t snap in. The keep falling out no master how hard you push. Leaks every where. Handle won’t snap shut. It’s good difficult to use. It’s not like my d sandwich maker I used in college. Only reason I wanted another one-the simple ease of making sandwiches. But this is more headache than worth it. I’m cleaning the mess it’s made.
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

INPUT: The package only had 1 rectangular pan and 1 cupcake pan. Missing 2 rectangular pans.
OUTPUT: negative

INPUT: Ordered these for my daughter as a Christmas present. When she opened the case 3 of the markers did not have the caps on and were completely dried out. She was very disappointed. She then starting testing all of them on a piece of paper, several of them began to run out of ink very quickly. Not happy with this product, tried to return, however these markets are an unreturnable item.
OUTPUT: negative

INPUT: Did not come with the wand
OUTPUT: negative

INPUT: DISAPPOINTED! Owl arrived missing stone for the right eye. Supposed to be a gift.
OUTPUT: neutral

INPUT: Just received in mail, I think I received a used one as it had writing in the first 3 pages. And someone else's name... Otherwise seems like pretty good quality
OUTPUT: neutral

INPUT: Came with 2 pens missing from the box.
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

INPUT: Absolutely worthless! Adhesive does not stick!
OUTPUT: negative

INPUT: Too stiff, barely zips, and is very bulky
OUTPUT: negative

INPUT: Great product will recomend
OUTPUT: positive

INPUT: Easy to peel and stick. They don't fall off.
OUTPUT: positive

INPUT: It was very easy to install on my laptop.
OUTPUT: positive

INPUT: Adhesive is good. Easy to apply.
OUTPUT:


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

INPUT: I like this product, make me feel comfortable. I can use it convenient. The price is very cheap.
OUTPUT: positive

INPUT: Challenging. Love the fact that each session extends into 6 more days of devotional study. We are focusing each study for a 2 week period. Awesome focus point for personal growth as building meaningful relationships within our group. Thank you !
OUTPUT: positive

INPUT: These are great for SO many things. Originally I had them in my drink at a club but then later bought them for my wedding center pieces. The light stays on for weeks but becomes dim after 3 or 4 days. We had a great time leaving the extra ones around the party and will use the extra ones for fun.
OUTPUT: positive

INPUT: The piano is great starters! It finds your child’s inner artistic ability and musical talent. It develops a good hand-eye coordination. The piano isn’t only a play toy, but it actually works and allows your child to play music at an early age. If you want your child to be a future pianist, you should try this product out! Very worth the money!
OUTPUT: positive

INPUT: After 5 months the changing rainbow light has stopped functioning. Still works as an oil diffuser at least. It was cheap so I guess that's what you get!
OUTPUT: neutral

INPUT: It's a perfect product, I use it for study and relaxation. Easy to assemble and lights are adjustable (can be turned off). It's also really quiet, barely any sound. If you need a diffuser that is for meditation, studying or relaxation, definitely pick this one!! Also, a great value for a 2 pack.
OUTPUT:


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

INPUT: Solid performer until the last quart of oil was being drawn out, then it started to spray oil out of the top.
OUTPUT: neutral

INPUT: Easy to clean as long as you clean it directly after using of course. Works great. Very happy
OUTPUT: positive

INPUT: Great must-have tool! A long time ago I was able to open some of my watches, but some were so tight, that it was almost impossible to avoid scratches. This tool turns this job into a few second fun.
OUTPUT: neutral

INPUT: It had to be changed very frequently. Even with the filter we had to empty the water and refill because the water would get nasty, the filters put black specs in the water. And it stopped working after 3 months
OUTPUT: negative

INPUT: I used this product to take rust stains off my concrete driveway. It reduced the stains, but did not remove them completely. I'm hoping our Southern California sun will do the rest .
OUTPUT: neutral

INPUT: Awesome tool for Toyota/Lexus cartridge filter. Way less messy than using the plastic items that come with the filters to drain the oil from the cartridge. The flow doesn’t start until you turn the knurled handle after having threading it into the bottom of the cartridge. Clear tubing is handy to direct the oil into a pan or directly into a recycling container.
OUTPUT:


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

INPUT: Item description says "pack of 3" but I only received 1
OUTPUT: negative

INPUT: Very good price for a nice quality bracelet. My sister loved her birthday present! She wears it everyday.
OUTPUT: positive

INPUT: Received this file box last night, and begin to put my documents in as soon as I received it. It is very good for me as my husband and I get a lot paperwork to save. The colorful tags make it easier to find what I want. The material is strong. I finally get something to help with the messy drawer! Love this product! I believe I will buy another one when this one is full!
OUTPUT: positive

INPUT: The one star is for UPS. I wish I had been home when delivery was made because I would have refused it. I have initiated return procedures, so hopefully when seller gets this mess back I will receive my $60 in a timely manner.
OUTPUT: negative

INPUT: I don’t like it because i ordered twice they sent me the one expired. No good .I don’t want to buy anymore.
OUTPUT: negative

INPUT: Great price BUT were not stuffed properly and had to be opened for fixing. Also, I was under the impression that it was 2, but it's only one insert. My fault for not reading the whole thing so just an FYI.
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

INPUT: Not a credible or tasteful twist at the end of the book
OUTPUT: neutral

INPUT: Item was used/damaged when I received it. Seal on the box was broken so I checked everything before install and it looks like the power/data connections are burnt. Returning immediately.
OUTPUT: negative

INPUT: This system is not as simple & straight-forward to program as one with fewer tech capabilities. The voice quality of the Caller ID announcement is poor & there are multiple steps to use Call Block and to access, then erase, Messages. However, the large capacity to store Blocked Calls is a major reason for the purchase.
OUTPUT: neutral

INPUT: The width and the depth were opposite of what it said, so they did not fit my cabinet.
OUTPUT: negative

INPUT: They sent HyClean which is NOT for the US market therefore this is deceptive marketing
OUTPUT: negative

INPUT: We've all been lied to, that's a fact. Andy Andrews shows us the depth we have sunk to by the lies. We need to expect truth from those in the political arena or elect those people that will speak the truth. You don't want your friends to lie, why accept it from elected officials. Apathy is running rampant. We need to be able to discern truth and it can only be found if we are willing to look for it. Check things out, don't always take what someone says as truth. A short, but powerful, book.
OUTPUT:


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

INPUT: Awesome product. Have used on my hands several times since I received the product. My cuticles have softened and my hands are no longer dry.
OUTPUT: positive

INPUT: They are huge!! Want too big for me.
OUTPUT: neutral

INPUT: Idk what is in these pads but they gave my nips some problems. When I nursed my baby and folded these down the adhesion would get all wonky and end up sticking to me. I love how thin they are but I’ve never have had problems with nursing pads like I did with these
OUTPUT: neutral

INPUT: Sorry but these are a waist of money. Washed my handy one time and they come right off. I even glued them on because they were so cheep and didn’t stay when you put the ring on .
OUTPUT: negative

INPUT: I bought the tie-dyed version and it was SO comfortable. Stretchy breathable material. I decided to buy the black version for work. Bad decision! The material is completely different. It doesn’t stretch, it’s not breathable and it is very small and uncomfortable! It even seems it’s stitched differently so that it coveres 50% less of my head. So disappointing!!
OUTPUT: negative

INPUT: Love the gloves , but be,careful if you are allergic to nickel don't buy them they are made with nickel chloride which I am allergic very highly allergic to so that was the only downfall
OUTPUT:


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

INPUT: They are so comfortable that I don't even know I am wearing them.
OUTPUT: positive

INPUT: very cute style and design, but tarnished after 1 wear!
OUTPUT: neutral

INPUT: Ordered these for a friend and he loved them!
OUTPUT: positive

INPUT: I look fabulous with this glasses on, totally worth it! :D
OUTPUT: positive

INPUT: This is even sexier than the pic! It has good control and is smooth under all my clothes! It's also comfortable and I'm able to easily wear it all day, it doesn't roll down either!
OUTPUT: positive

INPUT: These are super cute! Coworkers have given lots of compliments on the style. I ordered 3 pair for work and home :) haven’t had a headache since wearing these. love!
OUTPUT:


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

INPUT: I never received my item that I bought and it’s saying it was delivered.
OUTPUT: negative

INPUT: Very poorly packaged. The glasses banged each other. Should have been bubble wrapped. So bummed that I can’t use these for a party tonight!
OUTPUT: negative

INPUT: Mango butter was extremely dry upon delivery.
OUTPUT: negative

INPUT: DISAPPOINTED! Owl arrived missing stone for the right eye. Supposed to be a gift.
OUTPUT: neutral

INPUT: Great taste but the box was sent in a mailing envelope. So produce was smashed.
OUTPUT: neutral

INPUT: Was not delivered!!!
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

INPUT: Waste of money!! Don’t buy this product. just helping community. I trusted reviews about that but all wrong
OUTPUT: negative

INPUT: The 8 year old nephew said he wanted this for his birthday. I felt it was a bit much for a toy but he caught me on a good day. Come to find out it's a fragile collectible so the nephew lost all the small parts the moment he opened it. I guess it's adequate for collectors that want detail on such a small figurine.
OUTPUT: neutral

INPUT: Thought this was a magnetic sticker, I was mistaken.
OUTPUT: neutral

INPUT: Pretty dam good cutters
OUTPUT: positive

INPUT: So small can't even see it in my garage i though was a lil bigger
OUTPUT: negative

INPUT: This thing is EXACTLY what is described, 10/10
OUTPUT:


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

INPUT: Fantastic belt ,love it . This is my second one , the first one was a little small but this one is perfect. I suggest you order one size bigger than your waist size.
OUTPUT: negative

INPUT: Maybe it's just my luck because this seems to happen to me with other products but the motor broke in 2 weeks. That was a bummer. I liked it for the 2 weeks though!
OUTPUT: neutral

INPUT: Belt loops were not fastened upon opening. They were not stitched.
OUTPUT: negative

INPUT: Works great, bought a 2nd one for my son's dog. I usually only put them on at night and it stopped the barking immediately. Battery lasted a month. Used a little duct tape to keep the collar at the right length.
OUTPUT: positive

INPUT: Not worth your time. PASS.
OUTPUT: negative

INPUT: Believe the other reviews, the belt is small and won’t let you start the mower. When you do it will burn the belt in minutes.
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

INPUT: This dress is very comfortable. I would recommend wearing a slip under it as it is very thin. I’m going to have to hem the bottom because it’s long. I’m 5’5” and even in wedges it hits the floor. But it’s great for the price!
OUTPUT: positive

INPUT: It's nearly impossible to find a 5 gallon bucket that this seat fits onto. I'd recommend buying the 2 together so that you might get a set that fits.
OUTPUT: negative

INPUT: I like everything about the pill box except its size. I take a lot of supplements and the dispenser is just too small to hold all the pills that I take.
OUTPUT: neutral

INPUT: Chair is really good for price! I have 6 children so I was looking for something not to expensive but good, this chair is really good comparing with others and good prices
OUTPUT: positive

INPUT: I love how the waist doesn't have an elastic band in them. I have a bad back and tight waist bands always make my back feel worse.These feel decent...although If they could make them just one size larger..and not just offer plus size....that would be even better for my back.
OUTPUT: positive

INPUT: We ordered 4 diff brands so we could compare and try them out and this one was by far the worst, once you sat down. You felt squished. I’m 5.5 and 120 lbs. My husband could barely fit.
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

INPUT: This is a nice headset but I had a hard time trying to switch the language on it to English
OUTPUT: neutral

INPUT: I ordered a screen for an iPhone 8 Plus, but recevied product that was for a different phone. A significantly smaller phone.
OUTPUT: negative

INPUT: For the money, it's a good buy... but the fingerprint ID just doesn't work very good. After several attempts, it would not allow me to register my fingerprint. So... I just use the key to lock and unlock the safe, and that's not a problem. If you want something with the ability to open with your fingerprint, you'll need to spend a bit more, but if fingerprint id isn't something you absolutely need to have, then this safe is for you.
OUTPUT: neutral

INPUT: It arrived broken. Not packaged correctly.
OUTPUT: negative

INPUT: Downloaded the app after disconnecting my cable provider to watch shows that I enjoy and to see any of them you have to sign in thru your cable provider. Really disappointed!!
OUTPUT: negative

INPUT: I ordered this phone for my daughter and the "unlocked dual phone " is misleading as it came LOCKED & in Chinese!😡
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

INPUT: Way to sensitive turns on and off 1000 times a night I guess it picks up bugs or something
OUTPUT: negative

INPUT: Took a bottle to Prague with me but it just did not seem to do much.
OUTPUT: negative

INPUT: These are great for SO many things. Originally I had them in my drink at a club but then later bought them for my wedding center pieces. The light stays on for weeks but becomes dim after 3 or 4 days. We had a great time leaving the extra ones around the party and will use the extra ones for fun.
OUTPUT: positive

INPUT: Use at your own risk. My wife and I both had burning sensation and skin reactions. No history of sensitive skin.
OUTPUT: negative

INPUT: Wouldn’t keep air the first day of use!!!
OUTPUT: negative

INPUT: Have not used at night yet
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

INPUT: We bring the kid to Cape Cod this long weekend. The shelter is very helpful when we stay on the beach. Kid feel comfortable when she was in the shelter. It was cool inside of shelter especially if you put some water on the top of the shelter. It is also very easy to carry and set up. It is a good product with high quality.
OUTPUT: positive

INPUT: These are very fragile. I have a cat who is a bit rambunctious and sometimes knocks my phone off my nightstand while it's plugged in. He managed to break all of these the first or second time he did that. I'm sure they're fine if you're very careful with them, but if whatever you're charging falls off a table or nightstand while plugged in, these are very likely to stop working quickly.
OUTPUT: negative

INPUT: Ummmm, buy a hard side for your expensive wreath. It is too thin to protect mine.
OUTPUT: neutral

INPUT: We loved these sheets st first but they have proven to be poor quality with rips at seams and areas of obvious wear from very rare use on our bed. Very disappointed. Would NOT recommend.
OUTPUT: negative

INPUT: Cute bag zipper broke month after I bought it.
OUTPUT: neutral

INPUT: Our 6 month old Daughter always needs a security blanket wherever we go. We bought these as backups and they have been so durable and they are really cute too.
OUTPUT:


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

INPUT: The book is very informative, with great tips and tricks about how to travel as well as what the locations are about which is both it's good and bad aspect. It gives so much interesting context, it may be overly insightful. For the person who must know everything, this is great. For the person who has no idea. Googling will suffice.
OUTPUT: neutral

INPUT: I like this series. The main characters are unusual and very damaged from a terrible childhood. Will is an excellent investigator but due to a disability he believes he is illiterate. Slaughter does a very good job showing how people with dyslexia learn ways to hide their limitations. It will be interesting to see how these characters play out in the future. I understand that Slaughter brings some of the characters from the Grant County series to this series. The crimes are brutal. I'm sure this is a good representation of what police come across in their career. The procedural is well done and kept me interested from start to finish. I'm looking forward to reading more of this series soon.
OUTPUT: positive

INPUT: Just received in mail, I think I received a used one as it had writing in the first 3 pages. And someone else's name... Otherwise seems like pretty good quality
OUTPUT: neutral

INPUT: Great book for daily living
OUTPUT: positive

INPUT: Works very well. Easy to set alarms, and time. The snooze/backlight function is pretty neat too. The dim back light is also nice so that you can actually read the time in the dark.
OUTPUT: positive

INPUT: I like everything about this book and the fine expert author who also provides vital information on T.V.
OUTPUT:


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

INPUT: The 8 year old nephew said he wanted this for his birthday. I felt it was a bit much for a toy but he caught me on a good day. Come to find out it's a fragile collectible so the nephew lost all the small parts the moment he opened it. I guess it's adequate for collectors that want detail on such a small figurine.
OUTPUT: neutral

INPUT: Really cute outfit and fit well. But, the two bows fell off the top the first time worn. The bows were glued on opposed to sewn.
OUTPUT: neutral

INPUT: We bring the kid to Cape Cod this long weekend. The shelter is very helpful when we stay on the beach. Kid feel comfortable when she was in the shelter. It was cool inside of shelter especially if you put some water on the top of the shelter. It is also very easy to carry and set up. It is a good product with high quality.
OUTPUT: positive

INPUT: Cute, soft and great for a baby that’s 1 and loves Bubble Guppies.
OUTPUT: positive

INPUT: The child hat is ridiculously small. It was not even close to the right size for my 3 year old son. I checked the size, and it wouldn't have even fit him as a newborn. I liked the adult hat but it is not sold separately. The seller was rude and unhelpful when I contacted them directly through Amazon. The faux fur pom was either already torn or tore when I was trying on the hat. See the attached photograph. The pom came aprt, exposing the inner fluff.
OUTPUT: negative

INPUT: My twin grand babies will not be here until March. So we have not used them yet. The only thing so far that I was let down by was the set for the girl showed a cute bow, when I got it, it was just the cap. You should not show the boy in the picture.
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

INPUT: Great taste but the box was sent in a mailing envelope. So produce was smashed.
OUTPUT: neutral

INPUT: I've bought many wigs by far this is the best! I was sceptical about the price and quality but it surpassed my expectations. Loving my new wig great texture natrual looking!!
OUTPUT: positive

INPUT: This product is a good deal as far as price and the amount of softgels. I also like that it has a high EPA and DHA formula. The only thing I don't like is the fish burps. Maybe they need to add more lemon to the formula
OUTPUT: neutral

INPUT: The first time I bought it the smell was barely noticeable, this time however it smells terrible. Not sure why the smell change if the formula didn't change but the smell makes it hard to use. I guess I would rather it smell bad than be sick though...
OUTPUT: neutral

INPUT: I like everything about the pill box except its size. I take a lot of supplements and the dispenser is just too small to hold all the pills that I take.
OUTPUT: neutral

INPUT: Very plain taste.. Carmel has so much more flavor but too pricy.. so pay less and get no flavor.. or pay a rediculous amount for very little of product..
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

INPUT: I don't like anything about it and I don't like that it is not able to be returned. JUNK!
OUTPUT: negative

INPUT: Very cheaply made, its not worth your money, ours came already broken and looks like it's been played with, retaped, resold.
OUTPUT: negative

INPUT: Product was not to my liking seemed diluted to other brands I have used, will not buy again. Sorry
OUTPUT: negative

INPUT: 2 out of three stopped working after two weeks.! Threw them all in the trash. Don't waste your money
OUTPUT: negative

INPUT: Please do not buy this! I was so excited and I got one for me and my co worker because we freeze in our offices. It's so small and barely even heats up. One of them didn't even work at all!
OUTPUT: negative

INPUT: I have returned it. Did not like it.
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

INPUT: Easy to install, fits perfectly, and does a good job.
OUTPUT: positive

INPUT: I never should've ordered this for my front porch steps. It had NO Adhesion and was a BIG disappointment.
OUTPUT: negative

INPUT: I used this product to take rust stains off my concrete driveway. It reduced the stains, but did not remove them completely. I'm hoping our Southern California sun will do the rest .
OUTPUT: neutral

INPUT: The light was easily assembled.... I had it up in about 15 minutes. Powered it up and I was in business. It has been running about a week or so and no problems to date.
OUTPUT: positive

INPUT: This is a well made device, much higher quality than the three previous cat feeders we've tried. The iOS app works well although the design is a little confusing at first. The portion control is good and the feeder mechanism has worked reliably. The camera provides a clear picture and it's great to be able to check remotely that the cat really is getting fed. Setup was relatively easy.
OUTPUT: positive

INPUT: Pretty easy to work with, the finished driveway looks very nice have to see over time how it lasts , Happy with the results .
OUTPUT:


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

INPUT: ordered and never received it.
OUTPUT: negative

INPUT: I received this in the mail and it was MISSING. The bag is ripped open and there is no bracelet to be found....
OUTPUT: negative

INPUT: DON'T!!! Mine stopped playing 3 days after return deadline ended.
OUTPUT: negative

INPUT: I don't like anything about it and I don't like that it is not able to be returned. JUNK!
OUTPUT: negative

INPUT: Just received in mail, I think I received a used one as it had writing in the first 3 pages. And someone else's name... Otherwise seems like pretty good quality
OUTPUT: neutral

INPUT: this was sent back, because I did not need it
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

INPUT: Bought this Feb 2019. Its already wore down and in need of replacement. I dont recommend one purchase this unless its jus for looks.
OUTPUT: negative

INPUT: This product does not work at all. I have tried it on two of my vehicles and it does not cover light scratches. Waste of money.
OUTPUT: negative

INPUT: Great lights! Super bright! Way better than stock! Fit my 2002 ford ranger no problem! Love the led look! Had for about a year and only one bulb went out around 6 months i emailed them my order number and address they sent me a new bulb within 2 days! Works great ever since!! Great product for the money! Great customer service!
OUTPUT: positive

INPUT: This item appears to be the same as one I purchased from a local hardware store a year or so ago, but it is not finished or burnished to the quality of the one I previously purchased. As such it looks dull, but not exceedingly so. It is close enough to be acceptable.
OUTPUT: neutral

INPUT: Lamp works perfectly for my chicks
OUTPUT: positive

INPUT: Shines dimly. broke on next day! Awful, terrible quality. Price is higher than any other. Do not waste time and money on this!
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

INPUT: Looking at orher reviews the tail was supposed to be obscenely long -- it was actually the perfect size but im not sure if thats intentional. The waist strap fits perfectly-- but again, need to list that my waist is fairly wide and it sat on my hips. Im unsure about the life of the strap. To the actual quality the fur seems of a fair (not great but not terrible quality but the tail isnt fully stuffed.) Apparently theres supposed to be a wire to pose the tail. There is none in mine, which is fine cause again, mine came up shorter than others. Im only rating 3 stars because of some unintentional good things.
OUTPUT: neutral

INPUT: Great idea! My nose is always cold and I can't fall asleep when it is cold, but for some reason this isn't keeping my nose warm.
OUTPUT: neutral

INPUT: I bought the tie-dyed version and it was SO comfortable. Stretchy breathable material. I decided to buy the black version for work. Bad decision! The material is completely different. It doesn’t stretch, it’s not breathable and it is very small and uncomfortable! It even seems it’s stitched differently so that it coveres 50% less of my head. So disappointing!!
OUTPUT: negative

INPUT: Very strong cheap pleather smell that took a few days to air out. One of the straps clips onto the zipper, so be careful of the zipper slowly coming undone as you walk.
OUTPUT: neutral

INPUT: Clasps broke off after having for only a few months 😢
OUTPUT: negative

INPUT: The strap is to long it keeps drink cold for maybe 2 hours. its very stylish
OUTPUT:


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

INPUT: Works good but wears up fast.
OUTPUT: neutral

INPUT: Really cute outfit and fit well. But, the two bows fell off the top the first time worn. The bows were glued on opposed to sewn.
OUTPUT: neutral

INPUT: The product fits fine and looks good. turn signal and heated mirror work. Unfortunately, the mirror vibrates on rough roads and rattles going over bumps. Plan to return it for a replacement.
OUTPUT: negative

INPUT: The quality is meh!! (treads are hanging out from places), however the colors are not the same (as seen on the display) :(
OUTPUT: neutral

INPUT: Quality was broken after 3rd use. I had a bad experience with this lost voice control.
OUTPUT: negative

INPUT: Works well, was great for my Injustice 2 Harley Quinn cosplay
OUTPUT:


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

INPUT: Very drying on my hair .
OUTPUT: negative

INPUT: I dislike this product it didnt hold water came smash in a bag and i just thow it in the trash
OUTPUT: negative

INPUT: Does not work as I thought it would. It really doesn't help much. It only last for like a hour.
OUTPUT: neutral

INPUT: Half of the pads were dried out. The others worked great!
OUTPUT: neutral

INPUT: I washed it and it lost much of its plush feel and color.
OUTPUT: neutral

INPUT: Does not dry like it is supposed to.
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

INPUT: You want an HONEST answer? I just returned from UPS where I returned the FARCE of an earring set to Amazon. It did NOT look like what I saw on Amazon. Only a baby would be able to wear the size of the earring. They were SO small. the size of a pin head I at first thought Amazon had forgotten to enclose them in the bag! I didn't bother to take them out of the bag and you can have them back. Will NEVER order another thing from your company. A disgrace. Honest enough for you? Grandma
OUTPUT: negative

INPUT: it does not work, only one hearing aid works at a time
OUTPUT: negative

INPUT: Bought this Feb 2019. Its already wore down and in need of replacement. I dont recommend one purchase this unless its jus for looks.
OUTPUT: negative

INPUT: These earbuds are really good.. I bought them for my wife and she is really impressed.. good sound quality.. no problem connecting to her phone.. and they look really good.. i like how the charging box looks as well.. i really think these are as good as the name brand buds.. would recommend to anyone..
OUTPUT: positive

INPUT: Worst fucking item I ever bought on Amazon I had a headache for 2 days on this bullshit I thought I had to go to the emergency room please don't but real costumer
OUTPUT: negative

INPUT: Right earbud has given our after less than 6 months of use. Do not buy.
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

INPUT: Ordered two identical rolls. One arrived with the vacuum bag having a large hole poked in the center - almost the size of the center hub hole. Since the roll arrives in a product box the hole either occurred before boxing at the manufacturer or I received a return. The seller responded promptly and asked for photos, which I provided. Then they asked if there was anything wrong with the product. Huh? I replied it has some issues (likely moisture related). Then they asked for details of issues. Huh? Well, I've had enough of providing them details of the damaged/defective product.
OUTPUT: neutral

INPUT: Not super durable. The bag holds up okay but the drawstrings sometimes tear if the bag gets past a couple lbs.
OUTPUT: neutral

INPUT: Very poorly packaged. The glasses banged each other. Should have been bubble wrapped. So bummed that I can’t use these for a party tonight!
OUTPUT: negative

INPUT: I dislike this product it didnt hold water came smash in a bag and i just thow it in the trash
OUTPUT: negative

INPUT: Cute bag zipper broke month after I bought it.
OUTPUT: neutral

INPUT: one bag was torn when it's delivered
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

INPUT: Total crap wouldn't even plug into the phone the pins were bent before I even tried to use it
OUTPUT: negative

INPUT: Great ideas in one device. One of those devices you pray you’ll never need, but I’m pretty sure are up for the task.
OUTPUT: positive

INPUT: it does not work, only one hearing aid works at a time
OUTPUT: negative

INPUT: Had some problems getting it to work. The supplied cable was no good - would not charge the battery. When I replaced cable with my own was able to charge and then connect the device via bluetooth to a PC. Had trouble finding the PC software but when I emailed their support they responded within a day with the correct download info. PC program works well for testing the unit after you figure out which port to use (port 4 in my case). The accuracy and stability of the unit look very good for my application, however I was not able to connect to either an iPhone or iPad (tried several of each) via bluetooth. Will have to hard-wire if I decide to use this device in my product.
OUTPUT: neutral

INPUT: These are very fragile. I have a cat who is a bit rambunctious and sometimes knocks my phone off my nightstand while it's plugged in. He managed to break all of these the first or second time he did that. I'm sure they're fine if you're very careful with them, but if whatever you're charging falls off a table or nightstand while plugged in, these are very likely to stop working quickly.
OUTPUT: negative

INPUT: One of them worked, the other one didn't. There's no apparent damage, it just won't work on multiple phones and with multiple wall ports.
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

INPUT: You want an HONEST answer? I just returned from UPS where I returned the FARCE of an earring set to Amazon. It did NOT look like what I saw on Amazon. Only a baby would be able to wear the size of the earring. They were SO small. the size of a pin head I at first thought Amazon had forgotten to enclose them in the bag! I didn't bother to take them out of the bag and you can have them back. Will NEVER order another thing from your company. A disgrace. Honest enough for you? Grandma
OUTPUT: negative

INPUT: Easy to use, quick and mostly painless!
OUTPUT: positive

INPUT: These are very fragile. I have a cat who is a bit rambunctious and sometimes knocks my phone off my nightstand while it's plugged in. He managed to break all of these the first or second time he did that. I'm sure they're fine if you're very careful with them, but if whatever you're charging falls off a table or nightstand while plugged in, these are very likely to stop working quickly.
OUTPUT: negative

INPUT: They are so comfortable that I don't even know I am wearing them.
OUTPUT: positive

INPUT: The first guard may serve more as a learning curve. I do kinda prefer to use the ones that come with molding trays. This didn't help until about 3-4 nights of use. Even then, sometimes it feels like my upper gum underneath, is strange feeling the next morning
OUTPUT: neutral

INPUT: ear holes are smaller so i can hurt after long use.
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

INPUT: Not worth it the data cable had to move it in a certain position to make it work i just returned it back.
OUTPUT: negative

INPUT: Overall I liked the phone especially for the price. The durability is my main issue I dropped the phone once onto a wood floor from about 12 inches and the screen cracked after having it for about 2 weeks. Otherwise it seemed to be a decent phone. It had a few little quirks that took a little getting used to but otherwise I think it wood be a good phone if it was more durable.
OUTPUT: neutral

INPUT: Received this file box last night, and begin to put my documents in as soon as I received it. It is very good for me as my husband and I get a lot paperwork to save. The colorful tags make it easier to find what I want. The material is strong. I finally get something to help with the messy drawer! Love this product! I believe I will buy another one when this one is full!
OUTPUT: positive

INPUT: Worst iPhone charger ever. The charger head broke after used for 5 Times. Terrible quality.
OUTPUT: negative

INPUT: I didn’t like that it was made out of plastic and that you had to put it together yourself.
OUTPUT: negative

INPUT: Not pleased with this external hard drive. I got it bc I don't have any storage space on my phone. I plugged it in to my iPhone and I have to download the app for it....which requires available storage space, which I don't have! It is also doesn't seem to be quality made. Disappointed overall.
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

INPUT: These are great for SO many things. Originally I had them in my drink at a club but then later bought them for my wedding center pieces. The light stays on for weeks but becomes dim after 3 or 4 days. We had a great time leaving the extra ones around the party and will use the extra ones for fun.
OUTPUT: positive

INPUT: Remote does work well, however the batteries do not last long. Disappointing.
OUTPUT: neutral

INPUT: Love them. have to turn off when not in use tho
OUTPUT: positive

INPUT: The light was easily assembled.... I had it up in about 15 minutes. Powered it up and I was in business. It has been running about a week or so and no problems to date.
OUTPUT: positive

INPUT: Great lights! Super bright! Way better than stock! Fit my 2002 ford ranger no problem! Love the led look! Had for about a year and only one bulb went out around 6 months i emailed them my order number and address they sent me a new bulb within 2 days! Works great ever since!! Great product for the money! Great customer service!
OUTPUT: positive

INPUT: Love the lights, however, if you leave them in the on position for more than a few days in order to use the remote, the batteries drain quickly whether the candles are actually lit up or not.
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

INPUT: Huge disappointment box was all messed up and toy was broken
OUTPUT: negative

INPUT: Can't wait for the next book to be published.
OUTPUT: positive

INPUT: don't like it, too lumpy
OUTPUT: neutral

INPUT: Just what I expected! Very nice!
OUTPUT: positive

INPUT: Wow. I want that time back. What a huge BORE!!
OUTPUT: negative

INPUT: Not happy. Not what we were hoping for.
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

INPUT: Absolutely terrible. I ordered these expecting a quality product for 10 dollars. They were shipped in an envelope inside of another envelope all just banging against each other while on their way to me from the seller. 3 of them are broken internally, they make a rattle noise as the ones that work do not. I will be requesting a refund for these and filing a complaint with Amazon. Don't purchase unless you like to buy broken/damaged goods. Completely worthless.
OUTPUT: negative

INPUT: Maybe it's just my luck because this seems to happen to me with other products but the motor broke in 2 weeks. That was a bummer. I liked it for the 2 weeks though!
OUTPUT: neutral

INPUT: Product received was not the product ordered. It was a different set without a kettle and their were ants crawling in and out of the box so i didnt even open it but the picture shows a different item with no kettle. I was sent the same thing as a replacement. Fast shipping though.
OUTPUT: negative

INPUT: The packaging of this product was terrible. Just the device with no instructions in a box with no bubble wrap. Device rolling around in a box 3x’s it’s size. No order slip.
OUTPUT: neutral

INPUT: It was a great kit to put together but one gear is warped and i am finding myself ripping my hair out sanding and adjusting it to try to get it to tick more than a few seconds at a time.
OUTPUT: neutral

INPUT: Not only was the product poorly packaged, it did not work and made a horrible grinding noise when turned on. To make matters worse, I followed ALL return instructions and still have not been issued my refund! Would give zero stars if I could.
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

INPUT: The small cover didn’t seem to work very well. I don’t feel that they do Avery good job from keeping the avocado from turning brown
OUTPUT: neutral

INPUT: The screen protector moves around and doesn't stick so it pops off or slides around
OUTPUT: negative

INPUT: So pretty...but the first time I unplugged it, the glass top came off of the base. There’s a plastic ring attached to the bottom of the glass part. It has notches - supposedly to allow you to twist it onto the nightlight base. You’d need to be able to do that in order to replace the bulb. I’ll try gorilla glue or something to see if the ring can be securely affixed to the glass. Surprisingly poor design for something so beautiful.
OUTPUT: negative

INPUT: It will not turn on. It was a gift and the person called and said it does not work. It won't turn on. I would like to send back and get either another or my money back.
OUTPUT: negative

INPUT: The paw prints are ALREADY coming off the bottom of the band where you snap it together, I've only worn it three times. Very upset that the paw prints have started rubbing off already 😡
OUTPUT: neutral

INPUT: The top part of the cover does not stay on.
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

INPUT: I really love this product. I love how big it is compare to others diaper changing pads. I love the extra pockets and on top of that you get a free insulated bottle bag. All of that for an amazing price.
OUTPUT: positive

INPUT: I have bought these cloths in the past, but never from Amazon. In contrast to previous purchases, these cloths do not absorb properly after the first wash. After washing they feel more like 'napkins'... very disappointed.
OUTPUT: negative

INPUT: Half of the pads were dried out. The others worked great!
OUTPUT: neutral

INPUT: The first guard may serve more as a learning curve. I do kinda prefer to use the ones that come with molding trays. This didn't help until about 3-4 nights of use. Even then, sometimes it feels like my upper gum underneath, is strange feeling the next morning
OUTPUT: neutral

INPUT: BEST NO SHOW SOCK EVER! Period, soft, NEVER slips, and is a slightly thick sock. Not to thick though, perfect for running shoes too!
OUTPUT: positive

INPUT: I'm never buying pads again! I've been using these for months now and I absolutely love them. They're super durable and easy to clean, great for people with sensitive skin or who have allergies. These are soft, hypoallergenic, and super absorbent without feeling like wearing a diaper or something (at least, that's how I used to feel wearing pads). The money you spend now saves you ever having to spend on pads again.
OUTPUT:


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

INPUT: never got it after a week when promised
OUTPUT: negative

INPUT: Smell doesn't last as long as I would like. When first opened, it smells great!
OUTPUT: neutral

INPUT: This sweatshirt changed my life. I wore this sweatshirt almost every single day from January 25th, 2017 up until last week or so when the hood fell off after almost a year of abuse. This sweatshirt has made me realize that the small things in life are the things that matter. Thank you Hanes, keep doing what you do. Love, Justin
OUTPUT: positive

INPUT: Started using it yesterday.. so far so good.. no side effects.. 1/4 of a teaspoon twice per day in protein shakes.. I guess it takes a few weeks for chronic potassium deficiency and chronic low acidic state to be reversed and for improvements on wellbeing to show.. I suggest seller supplies 1/8 spoon measure with this item and clear instructions on dosage because an overdose can be lethal
OUTPUT: neutral

INPUT: Wow. I want that time back. What a huge BORE!!
OUTPUT: negative

INPUT: Last me only couple of week
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

INPUT: Will continue to buy.
OUTPUT: positive

INPUT: I don't like anything about it and I don't like that it is not able to be returned. JUNK!
OUTPUT: negative

INPUT: I would buy it again. Just as a treat, was a nice little side dish pack for nights when me or my husband didn't want to cook.
OUTPUT: neutral

INPUT: The case and disc were clean when I got them. No cracks to the case and the game worked as needed. The game itself is wonderful, full of adventure. There isn't much in replay value per se, yet most of the players find themselves going back for more, if only to level up their characters.
OUTPUT: positive

INPUT: cheap and waste of money
OUTPUT: negative

INPUT: I not going to buy it again
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

INPUT: It’s a nice looking piece of furniture when assembled, but assembly was difficult. Some of the letter markings were incorrectly marked so I had to try and figure out on my own The screws they supplied to attach the floor and side panels all cracked. I had to go out and purchase corner brackets to make sure they stayed together. Also the glass panel doors are out of line and don’t match evenly. This alignment prevents one of the doors from staying closed as the magnet to keep the door closed is out of line. Still haven’t figured out to align them.
OUTPUT: neutral

INPUT: I reuse my Nespresso capsules and these fit perfectly and keep all coffee grounds out.
OUTPUT: positive

INPUT: Easy to clean as long as you clean it directly after using of course. Works great. Very happy
OUTPUT: positive

INPUT: The graphics were not centered and placed more towards the handle than what the Amazon image shows. Only the person drinking can see the graphics. I will be returning the item.
OUTPUT: negative

INPUT: Please note that it’s pretty small, so it’ll take a few trips to grind enough for a good session. Also the top is kinda tricky because you have to screw it on each time to grind.
OUTPUT: neutral

INPUT: This is an awesome coffee bar! We put it to fairly easy. Just make sure you look at the piece and figure out which is the front and back. I had to take it back apart and turn some around.
OUTPUT:


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

INPUT: Thin curtains that are only good for an accent. 56" wide is if you can stretch to maximum. Minimal light and noise reduction. NOT WORTH THE PRICE!!!
OUTPUT: negative

INPUT: very cute style and design, but tarnished after 1 wear!
OUTPUT: neutral

INPUT: My cousin has one for his kid, my daughter loves it. I got one for my back yard,but not easy to find a good spot to hang it. After i cut some trees, now its prefect. Having lots of fun with my daughter. Nice swing, easy to install.
OUTPUT: positive

INPUT: They’re cute and work well for my kids. Price is definitely great for kids sheets.
OUTPUT: positive

INPUT: Ummmm, buy a hard side for your expensive wreath. It is too thin to protect mine.
OUTPUT: neutral

INPUT: Very cute short curtains just what I was looking for for my new farmhouse style decor
OUTPUT:


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

INPUT: Overall I liked the phone especially for the price. The durability is my main issue I dropped the phone once onto a wood floor from about 12 inches and the screen cracked after having it for about 2 weeks. Otherwise it seemed to be a decent phone. It had a few little quirks that took a little getting used to but otherwise I think it wood be a good phone if it was more durable.
OUTPUT: neutral

INPUT: Cheap material. Broke after a couple month of usage and I emailed the company about it and never got a response. There are much better phone cases out there so don't waste your time with this one.
OUTPUT: negative

INPUT: Fits great kinda expensive but it’s good quality
OUTPUT: positive

INPUT: I mean the case looks cool. I don’t know anything about functionality but they sent me a iPhone 8 Plus case. The title says 6 plus, I ordered a 6 plus and there was no option on selecting another iPhone size beside 6 and 6 plus so I’m very disappointed in the service
OUTPUT: negative

INPUT: I like this case a lot but it broke on me 3 times lol it's not very durable but it's cute! the bumper and clear part will snap apart
OUTPUT: neutral

INPUT: Just as good as the other speck phone cases. It is just prettier
OUTPUT:


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

INPUT: Glass is extremely thin. Mine broke into a million shards. Very dangerous!
OUTPUT: neutral

INPUT: Ordered this for a Santa present and Christmas Eve noticed it came broken!
OUTPUT: negative

INPUT: Very poorly packaged. The glasses banged each other. Should have been bubble wrapped. So bummed that I can’t use these for a party tonight!
OUTPUT: negative

INPUT: So pretty...but the first time I unplugged it, the glass top came off of the base. There’s a plastic ring attached to the bottom of the glass part. It has notches - supposedly to allow you to twist it onto the nightlight base. You’d need to be able to do that in order to replace the bulb. I’ll try gorilla glue or something to see if the ring can be securely affixed to the glass. Surprisingly poor design for something so beautiful.
OUTPUT: negative

INPUT: DISAPPOINTED! Owl arrived missing stone for the right eye. Supposed to be a gift.
OUTPUT: neutral

INPUT: Glass was broken had to ship it back waiting on the new one to be here tomorrow hopefully not not broken.
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

INPUT: I opened a bottle of this smart water and took a large drink, it had a very strong disgusting taste (swamp water). I looked into the bottle and found many small particles were floating in the water... a few brown specs and some translucent white. I am completely freaked out and have contacted Coca-Cola, the product manufacture.
OUTPUT: negative

INPUT: these were ok, but to big for the craft I needed them for. Maybe find something to use them on.
OUTPUT: neutral

INPUT: Cute, soft and great for a baby that’s 1 and loves Bubble Guppies.
OUTPUT: positive

INPUT: There was some question on as to whether or not these were solid stainless steel or not on the listing. Since the seller made a point of saying they were solid, I decided to give it a shot. The bad news: my grill was 1/2" too wide, so I had to saw off the nubs on the end of the grates to fit. The good news: they are definitely solid stainless as advertised, so I am not worried about these grates de-laminating like my old factory grates. Glad I bought these. They look great, well-constructed and feel heavy duty. Can't wait to fire up the grill!
OUTPUT: positive

INPUT: Okay pool cue. However you can buy one 4 oz. lighter (21 oz,) for 1/3 the price of this 25 oz. cue. Not worth the extra money for the weight difference.
OUTPUT: neutral

INPUT: Loved that they were dishwasher safe and so colorful. Unfortunately they are not airtight so unsuitable for carbonated water. I just bought a soda stream and needed bottles for the water. It lost its carbonation ☹️
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

INPUT: The 8 year old nephew said he wanted this for his birthday. I felt it was a bit much for a toy but he caught me on a good day. Come to find out it's a fragile collectible so the nephew lost all the small parts the moment he opened it. I guess it's adequate for collectors that want detail on such a small figurine.
OUTPUT: neutral

INPUT: Awkward shape, does not fit all butter sticks
OUTPUT: neutral

INPUT: Our family does a game night most weeks and I got this thinking it would be fun to play. And it was. We played it 3 times (2 adults and 2 kids, 11 and 10) before we figured out how to win every time. Even the "more challenging" level is just more flooding, which, once solved, isn't much of a challenge. I was hoping for re-playability, but we've taken this one out of the rotation. Fun and interesting the first couple of times through, though.
OUTPUT: neutral

INPUT: Not all the colors of beads were included with my kit
OUTPUT: neutral

INPUT: The graphics were not centered and placed more towards the handle than what the Amazon image shows. Only the person drinking can see the graphics. I will be returning the item.
OUTPUT: negative

INPUT: We have another puzzle like this we love and were excited to add to ours but this is just circles with the smaller shapes painted on. Not what is looks like, no challenge
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

INPUT: Huge disappointment box was all messed up and toy was broken
OUTPUT: negative

INPUT: Just got the product and tested over the weekend for a big party. It turned out great for the 8lb ribs my hubby cooked. Got lots of compliments from the guests!
OUTPUT: positive

INPUT: What a wonderful first book in a new series. I love all of Ms. Kennedy’s books and I eagerly one clicked this one. It has engaging characters, a strong storyline and hot encounters. I really enjoyed it.
OUTPUT: positive

INPUT: Good Quality pendant and necklace, but gems are a little lacking in color.
OUTPUT: neutral

INPUT: Mango butter was extremely dry upon delivery.
OUTPUT: negative

INPUT: Hash brown main entree wasn't great, everything else was amazing. What else can you expect for an MRE?
OUTPUT:


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

INPUT: Good but arrived melted because of heat even though it had been boxed with ice pack which was melted!
OUTPUT: neutral

INPUT: She loved very much as a birthday gift and also said it will come in handy for all kinds of outings.
OUTPUT: positive

INPUT: Did not fit very well
OUTPUT: negative

INPUT: Nice router no issues
OUTPUT: positive

INPUT: My puppies loved it!
OUTPUT: positive

INPUT: Was OK but not wonderful
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

INPUT: Ordered these for a friend and he loved them!
OUTPUT: positive

INPUT: The clear backing lacks the stickiness to keep the letters adhered until you’re finished weeding! It’s so frustrating to have to keep up with a bunch of letters and pieces that have curled and fell off the paper! It requires additional work to make sure that they’re aligned properly and being applied on the right side, which was an issue for me several times! I purchased 3 packs of this and while it’s okay for larger designs, it sucks for lettering or anything intricate 😏 Possibly it’s old and dried out, but in any event, I will not be buying from this vendor again and suggest that you don’t either!
OUTPUT: negative

INPUT: Much smaller than what I expected. The quality was not that great the paper in the lower end of the cup was ruined after first wash with the kids.
OUTPUT: neutral

INPUT: Need better packaging. Rose just wiggles around in the box. Bouncing and damaging.
OUTPUT: neutral

INPUT: This was very easy to use and the cookies turned out great for the Boy Scout Ceremony!
OUTPUT: positive

INPUT: Quite happy with these cards. They are a larger size than many I've seen and the rose stickers for sealing are a nice touch.
OUTPUT:


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

INPUT: The dress looked nothing like the picture! It was short, tight and cheap looking and fitting!
OUTPUT: negative

INPUT: I like the price on these. Although they are ridiculously hard to open due to the 2 lines to lock it. Also they don’t stand up straight.
OUTPUT: neutral

INPUT: Beautifully crafted. No problem removing cake from pan and the cakes look very nice
OUTPUT: positive

INPUT: I didn’t like that it was made out of plastic and that you had to put it together yourself.
OUTPUT: negative

INPUT: spacious , love it and get many compliments
OUTPUT: positive

INPUT: Meh. Not as stylish as I would have thought and not very sturdy looking. 10/10 do regret.
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

INPUT: I was totally looking forward to using this because I tried the original solution and it was great but it burned my skin because I have sensitive skin but this one Burns and makes my make up look like crap I wouldn’t recommend it at all don’t waste your money
OUTPUT: negative

INPUT: Wore it when I went to the bar a couple times and the silver coating started to rub off but for the price I cannot complain. My biggest issue I have with it is it flipping around. Got a lot of compliments though.
OUTPUT: neutral

INPUT: Its good for the loose skin postpartum. I'm gonna use it for another waist trainer. Not tight enough.
OUTPUT: neutral

INPUT: I've been using this product with my laundry for a while now and I like it, but I had to return it because it wasn't packaged right and everything was damaged.
OUTPUT: negative

INPUT: Great idea! My nose is always cold and I can't fall asleep when it is cold, but for some reason this isn't keeping my nose warm.
OUTPUT: neutral

INPUT: I was amazed how good it works. That being said if you forget to put it on you will sweat like you did before. Would recommend to everyone.
OUTPUT:


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

INPUT: these were ok, but to big for the craft I needed them for. Maybe find something to use them on.
OUTPUT: neutral

INPUT: Huge disappointment box was all messed up and toy was broken
OUTPUT: negative

INPUT: They were supposed to be “universal” but did not cover the whole seat of a Dodge Ram 97
OUTPUT: negative

INPUT: Just what I expected! Very nice!
OUTPUT: positive

INPUT: The width and the depth were opposite of what it said, so they did not fit my cabinet.
OUTPUT: negative

INPUT: They were exactly what I was looking for.
OUTPUT:


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

INPUT: Just as advertised. Quick shipping.
OUTPUT: positive

INPUT: Great ideas in one device. One of those devices you pray you’ll never need, but I’m pretty sure are up for the task.
OUTPUT: positive

INPUT: My son Loves it for his 6 years old birthday! The package including everything you need. Highly recommend
OUTPUT: positive

INPUT: I don't like anything about it and I don't like that it is not able to be returned. JUNK!
OUTPUT: negative

INPUT: spacious , love it and get many compliments
OUTPUT: positive

INPUT: Great,just what I want
OUTPUT:


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

INPUT: The dress fits perfect! It’s a tad too long but not enough to bother with the hassle of getting it hemmed. The material is extremely comfortable and I love the pockets! I WILL be ordering a couple more in different colors.
OUTPUT: positive

INPUT: Easy to install, fits perfectly, and does a good job.
OUTPUT: positive

INPUT: They are so comfortable that I don't even know I am wearing them.
OUTPUT: positive

INPUT: Awesome little pillow! Made it easy to transport on my motorcycle.
OUTPUT: positive

INPUT: Its good for the loose skin postpartum. I'm gonna use it for another waist trainer. Not tight enough.
OUTPUT: neutral

INPUT: Great fit... very warm.. very comfortable
OUTPUT:


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

INPUT: My cousin has one for his kid, my daughter loves it. I got one for my back yard,but not easy to find a good spot to hang it. After i cut some trees, now its prefect. Having lots of fun with my daughter. Nice swing, easy to install.
OUTPUT: positive

INPUT: Good quality of figurine features
OUTPUT: positive

INPUT: As a hard shell jacket, it’s pretty good. I ordered the extra large for a skiing trip. It comes small so order a size bigger then normal. I can not use the fleece liner because it is too small. The hard shell is not water proof. I live in the Pacific Northwest and this is not enough to keep you dry. I really like the look of this jacket too.
OUTPUT: neutral

INPUT: I bought the surprise shirt for grandparents, but was sent one for an aunt. I was planning on surprising them with this shirt tomorrow in a cute way, but now I have to postpone the get together until I receive the correct item sent hopefully right this time.
OUTPUT: negative

INPUT: These sunglasses are GREAT quality, and super stylish. I didn't think I'd love any sunnies off of Amazon, but this was the first pair I took a chance on and I love them! Definitely a great buy!
OUTPUT: positive

INPUT: The umbrella itself is great but buyer beware they send you a random umbrella and not the design you pick. It's a good thing my daughter likes all the Disney princesses or I would have had an upset 3 year old. I picked a design that showed 4 different princesses on it and received one that had only snow white and the 7 dwarfs on it. When I went to the site I read the fine print that they pick the umbrellas at random so no need to return.
OUTPUT:


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

INPUT: After I gave it to my pet bunny, she didn't like it as much.
OUTPUT: neutral

INPUT: This is definitely the shampoo the Stars use. My hair is never smelt better or felt softer in my entire life. I felt like a model walking down the street with my hair bouncing and blowing in the wind. I highly recommend this product. I did not use it for a drug test, I just wanted to see if it would clean out the impurities from my hair which it seems to have done.
OUTPUT: positive

INPUT: The picture shows the fuel canister with the mosquito repeller attached so I assumed it would be included. However, when I opened the package I discovered there was no fuel. Since it is not included, the picture should be removed. If someone orders this and expects to use it immediately, like I did, they will be very disappointed.
OUTPUT: negative

INPUT: Well, I ordered the 100 pack and what came in the mail was silver eyeshadow....Yep, silver women’s eyeshadow...no blades....how does that happen???
OUTPUT: negative

INPUT: The item ordered came exactly as advertised. I highly recommend this vendor and would order from them again.
OUTPUT: positive

INPUT: I got my package today and it was used it came with dog hair all over it! I am really mad because my house is allergic to dogs!
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

INPUT: I did a lot of thinking as I read this book. I felt as though I could really picture what the main character was going through. The author did a great job describing the situations and events. I really rooted for the main character and felt her struggles. It seems as though she had to over come a lot to once again over come a lot. She had a group of interesting characters both supporting her and also ones who were against her. Not a plot to be predicted. I highly recommend this book. It grabbed my attention from the first page and had me thinking about it long after. I look forward to reading the author's next book.
OUTPUT: positive

INPUT: God loved them they were hot together like he said his half of a whole his Ying to his yang I loved everything about this book I hope X and Raven stay together and get only stronger together one isn’t the other without the other they need each other loved this book it is dark but smoking
OUTPUT: positive

INPUT: It’s ok, buttons are kind of confusing and after 4 months the power button is stuck and we can no longer turn it on or off. Sorta disappointed in this purchase.
OUTPUT: neutral

INPUT: Expected more out of the movie. Reviews indicated that this would be a cast of thousands, but ended up being maybe a couple of hundred people stranded on the beach. Over all ok, but expected more actors which history showed that over 100,000 stranded on the beach.
OUTPUT: neutral

INPUT: 3 1/2 Stars Remedy is a brothers best friend romance as well as a second chance romance mixed into one. It's a unique story, and the hero (Grady) has to do everything to get Collins back and prove he's the guy for her. Three years ago, Grady and Collins had an amazing night together. Collins thought she was finally getting everything she dreamed of, her brothers best friend... but when she woke up alone the next morning, and never heard from her, things definitely changed. Now Grady is back, and he's not leaving, and he's doing everything in his power to prove to her why he left, and that he's not giving her up this time around. While I loved the premise of this story, and at times Grady, he really got on my nerves. I totally understand his reasoning for leaving that night, but to not even send a letter to Collins explaining himself? To leave her wondering and hurt for all those years, and then expect her to welcome him back with open arms? Was he delusional?! Collins was right to be upset, angry, hurt, etc. She was right to put up a fight with him when he wanted her back and to move forward. I admire her will power, because Grady was persistent. I loved Collins in this book, she was strong, and she guarded her heart, and I admired her for that. Sure she loved Grady, but she was scared, and hesitant to let him back in her life, who wouldn't be after what he did to her? Her character was definitely my favorite out of the two. She definitely let things go at the pace she wanted, and when she was ready to listen, she listened. There is a lot of angst in this book, and I did enjoy watching these two reconnect when Collins started to forgive Grady, I just wish Grady would have not come off as so whiney and would have been a little more understanding. He kept saying he understood, but at times he was a little too pushy to me, and then he was sweet towards the end. I ended up loving him just as much as Collins, but in the beginning of the book, I had a hard time reading his points of view because I couldn't connect with his character. The first part of this book, was not my favorite, but he second part? I adored, hence my rating. If you like second chance, and brothers best friend romances, you may really enjoy this book, I just had a hard time with Grady at first and how he handled some of the things he did.
OUTPUT: neutral

INPUT: This book was okay I guess. I was not really fond of Jaime's views on things but oh well. Quinn was a wise cracker, but otherwise okay. Jaime should have set her parents down when she was younger and told them both they were messing up her life, maybe she wouldn't have been so messed up. Otherwise it was okay book.
OUTPUT:


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

INPUT: My husband is in law enforcement and loves this bag.
OUTPUT: positive

INPUT: It's nearly impossible to find a 5 gallon bucket that this seat fits onto. I'd recommend buying the 2 together so that you might get a set that fits.
OUTPUT: negative

INPUT: Installation instructions are vague and pins are cheap. It gets the job done but I dont feel it will last very long. Cheaply made. Update: lasted 3 months and I didn't even put the max weight on a single line.
OUTPUT: negative

INPUT: I hate to give this product one star when it probably deserves 5. My dog has chronic itchy skin and I had high hopes that this product would be the answer to his skin issues. I'll never know because he won't eat them. At first I gave them to him as a treat. He sniffed it and walked away. I crumbled just one up in his food but he was onto me and wouldn't touch it. So, sadly, the search continues.
OUTPUT: negative

INPUT: Picture was incredibly misleading. Shown as a large roll and figured the size would work for my project, then I received the size of a piece of paper.
OUTPUT: negative

INPUT: The description said 10 pound bag. There is no way this is 10 pounds. I get the 5 pound bags at the feed store and the 5 pound bag is bigger and heavier. I ordered two bags and I can lift both bags with one hand without trying.
OUTPUT:


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

INPUT: These little lights are awesome. They put off a nice amount of light. And you can put them ANYWHERE! I have put one in the pantry. Another in my linen closet. Another one right next to my bed for when I get up in the middle of the night. Have only had them about a month but so far so good!
OUTPUT: positive

INPUT: great throw for high end sofa, and works with any style even contemporary sleek sectionals
OUTPUT: positive

INPUT: This is a great little portable table. Easy to build and tuck away in a corner. One big flaw is that the tabletop comes off easily. Adjusting the height becomes a 2 hand job or else the top may come off when pressing the lever.
OUTPUT: neutral

INPUT: Love the humor and the stories. Very entertaining. BOL!!!
OUTPUT: positive

INPUT: Does not give out that much light
OUTPUT: neutral

INPUT: Love the light. Fits with out furniture. Great overall but the floor switch isn't convenient to possible add a switch on the light itself. We ended up running the floor switch up between the couch sections so we can operate the light without having to find the switch on the floor
OUTPUT:


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

INPUT: When i opened the package 2 of them were broken. Very disappointing
OUTPUT: negative

INPUT: I received this in the mail and it was MISSING. The bag is ripped open and there is no bracelet to be found....
OUTPUT: negative

INPUT: I hate to give this product one star when it probably deserves 5. My dog has chronic itchy skin and I had high hopes that this product would be the answer to his skin issues. I'll never know because he won't eat them. At first I gave them to him as a treat. He sniffed it and walked away. I crumbled just one up in his food but he was onto me and wouldn't touch it. So, sadly, the search continues.
OUTPUT: negative

INPUT: Just doesn't get hot enough for my liking. Its stashed away in the drawer.
OUTPUT: neutral

INPUT: I ordered Copic Bold Primaries and got Copic Ciao Rainbow instead. Amazon gave me a full refund but still annoying to have to reorder and hopefully get the right item.
OUTPUT: negative

INPUT: These picks are super cute but 1/2 of them were broken. When I tried to replace the item, there was no option for it.
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

INPUT: They are huge!! Want too big for me.
OUTPUT: neutral

INPUT: my expectations were low for a cheap scale. they were not met, scale doesnt work. popped the cover off the back to put a battery in and the wires were cut and damaged. wouldn't even turn on. sending it back. product is flimsy and cheap, spend 20 extra bucks on a better brand or scale.
OUTPUT: negative

INPUT: Too stiff, barely zips, and is very bulky
OUTPUT: negative

INPUT: I bought these for a Nerf battle birthday party for my son. We put buckets of these bullets out on the battlefield and they worked great! Highly recommend!
OUTPUT: positive

INPUT: Upsetting...these only work if you have a thin phone and or no phone case at all. I'm not going to take my phone's case (which isn't thick) off Everytime I want to use the stand. Wast of money. Don't buy if you use a phone case to protect your phone it's too thin.
OUTPUT: negative

INPUT: I was disappointed with these. I thought they would be heavier.
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

INPUT: Works very well. Easy to set alarms, and time. The snooze/backlight function is pretty neat too. The dim back light is also nice so that you can actually read the time in the dark.
OUTPUT: positive

INPUT: I did not receive the Fitbit Charge HR that I ordered, I got a Fitbit FLEX ,,, and I am very upset and do NOT like not receiving what I ordered
OUTPUT: negative

INPUT: Its good for the loose skin postpartum. I'm gonna use it for another waist trainer. Not tight enough.
OUTPUT: neutral

INPUT: Very good price for a nice quality bracelet. My sister loved her birthday present! She wears it everyday.
OUTPUT: positive

INPUT: Mediocre all around. Durability is "meh". Find a good (modular) set that will last you 10x the durability. This isn't the cheap Chinese headphones you have been looking for. Look for IEM
OUTPUT: neutral

INPUT: For a fitness tracker it is adequate. Heart rate monitor works ok. I feel it has missed steps in my everyday walking but if you start the monitor for fitness then it does well. If you hold anything in the arm with the tracker and cant move your arm it counts nothing. Battery life on the tracker is amazing. It lasts 7 to 8 days on a charge. It charges very fast. The wrist band is not very comfortable. Do to the way it charges i am not sure you can switch bands. I have not looked into this.
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

INPUT: Looks good. Clasp some times does not lock completely and the watch falls off. One time it fell off and the back cover popped off. I do get lots of compliments of color combination.
OUTPUT: neutral

INPUT: The clear backing lacks the stickiness to keep the letters adhered until you’re finished weeding! It’s so frustrating to have to keep up with a bunch of letters and pieces that have curled and fell off the paper! It requires additional work to make sure that they’re aligned properly and being applied on the right side, which was an issue for me several times! I purchased 3 packs of this and while it’s okay for larger designs, it sucks for lettering or anything intricate 😏 Possibly it’s old and dried out, but in any event, I will not be buying from this vendor again and suggest that you don’t either!
OUTPUT: negative

INPUT: I like these storage bins overall. The color of the lining inside wasn’t expected, it shows a light brown color in the photo but it’s pretty dark. I would have preferred the lining inside to match the outside, tan or grey. Other than that they are cute and look as pictured.
OUTPUT: neutral

INPUT: I ordered Copic Bold Primaries and got Copic Ciao Rainbow instead. Amazon gave me a full refund but still annoying to have to reorder and hopefully get the right item.
OUTPUT: negative

INPUT: The glitter gel flows, its super cute.
OUTPUT: positive

INPUT: I liked the color but the product don't stay latched or closed after putting any cards in the slots
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

INPUT: Clasps broke off after having for only a few months 😢
OUTPUT: negative

INPUT: Much smaller than what I expected. The quality was not that great the paper in the lower end of the cup was ruined after first wash with the kids.
OUTPUT: neutral

INPUT: Just received it and so far so good. No issues, did a great job. For a family on a budget trying to waste as least food as possible, it is a great investment and it was very affordable too.
OUTPUT: positive

INPUT: 2 out of four came busted
OUTPUT: neutral

INPUT: The first guard may serve more as a learning curve. I do kinda prefer to use the ones that come with molding trays. This didn't help until about 3-4 nights of use. Even then, sometimes it feels like my upper gum underneath, is strange feeling the next morning
OUTPUT: neutral

INPUT: Had for a week and my kid has already ripped 3 of the 4 while on the cup. So disappointed.
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

INPUT: Love this coverup! It’s super thin and very boho!! Always getting compliments on it!
OUTPUT: positive

INPUT: Warped. Does not sit flat on desk.
OUTPUT: negative

INPUT: Cheap material. Broke after a couple month of usage and I emailed the company about it and never got a response. There are much better phone cases out there so don't waste your time with this one.
OUTPUT: negative

INPUT: Much smaller than what I expected. The quality was not that great the paper in the lower end of the cup was ruined after first wash with the kids.
OUTPUT: neutral

INPUT: Thin curtains that are only good for an accent. 56" wide is if you can stretch to maximum. Minimal light and noise reduction. NOT WORTH THE PRICE!!!
OUTPUT: negative

INPUT: Very thin, see-through material. The front is much longer than the back.
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

INPUT: This door hanger is cute and all but its a bit small. My main complain is that, i cannot close my door because the bar latched to the door isnt flat enough.. Worst nightmare.
OUTPUT: negative

INPUT: Product does not stick well came loose and less than 24 hours after installing did everything correctly but just didn’t work
OUTPUT: negative

INPUT: The glitter gel flows, its super cute.
OUTPUT: positive

INPUT: I never should've ordered this for my front porch steps. It had NO Adhesion and was a BIG disappointment.
OUTPUT: negative

INPUT: I didn’t like that it was made out of plastic and that you had to put it together yourself.
OUTPUT: negative

INPUT: Great product! Great value! Didn’t realize it came with a self-sticking piece to hang door stop. So cool! Arrived on time, as expected, and seller even followed up to be sure I was happy.
OUTPUT:


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

INPUT: Had three weeks and corner grommet ripped out
OUTPUT: negative

INPUT: I have a feeling they were worn before , they came in a repackage but the stitching on the shoes as a slight pink hue to it ? Doesn’t really show up on camera. They’re still pretty new and fit a bit tight but I should have ordered a size up
OUTPUT: neutral

INPUT: It's super cute, really soft. Print is fine but mine is way too long. It's hits at the knee for everyone else but mine is like mid calf. Had to take a few inches off. I'm 5'4"
OUTPUT: neutral

INPUT: DISAPPOINTED! Owl arrived missing stone for the right eye. Supposed to be a gift.
OUTPUT: neutral

INPUT: They sent HyClean which is NOT for the US market therefore this is deceptive marketing
OUTPUT: negative

INPUT: Didnt get our bones at all
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

INPUT: BEST NO SHOW SOCK EVER! Period, soft, NEVER slips, and is a slightly thick sock. Not to thick though, perfect for running shoes too!
OUTPUT: positive

INPUT: I ordered two pairs of these shorts and was sent completely wrong sizes. I have both pairs same item ordered and the shorts are completely different sizes but are labeled the same size. One pair is 4 inches longer than the other.
OUTPUT: negative

INPUT: Solid value for the money. I’ve yet to have a problem with the first pair I bought. Buying a second for my second box.
OUTPUT: positive

INPUT: The paw prints are ALREADY coming off the bottom of the band where you snap it together, I've only worn it three times. Very upset that the paw prints have started rubbing off already 😡
OUTPUT: neutral

INPUT: I have a feeling they were worn before , they came in a repackage but the stitching on the shoes as a slight pink hue to it ? Doesn’t really show up on camera. They’re still pretty new and fit a bit tight but I should have ordered a size up
OUTPUT: neutral

INPUT: There are terrible! One sock is shorter and tighter than the other. The colors look faded when you put them on. These suck
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

INPUT: Easy to install, fits perfectly, and does a good job.
OUTPUT: positive

INPUT: Installation instructions are vague and pins are cheap. It gets the job done but I dont feel it will last very long. Cheaply made. Update: lasted 3 months and I didn't even put the max weight on a single line.
OUTPUT: negative

INPUT: Very easy install. Directions provided were simple to understand. Lamp worked on first try! Thanks!
OUTPUT: positive

INPUT: Nice router no issues
OUTPUT: positive

INPUT: This product worked just as designed and was very easy to install.The setup is so simple for each load on the trailer.I would def recommend this item for anyone needing a break controller.
OUTPUT: positive

INPUT: Easy to install. Looks good. Works well.
OUTPUT:


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

INPUT: Doesn’t even work . Did nothing for me :(
OUTPUT: negative

INPUT: These are very fragile. I have a cat who is a bit rambunctious and sometimes knocks my phone off my nightstand while it's plugged in. He managed to break all of these the first or second time he did that. I'm sure they're fine if you're very careful with them, but if whatever you're charging falls off a table or nightstand while plugged in, these are very likely to stop working quickly.
OUTPUT: negative

INPUT: They work really well for heartburn and stomach upset. But taking a couple stars off as capsules are poor quality and break. I lost over 30 in a bottle of 120 as they leaked. Powder ended up bottom of bottle.
OUTPUT: neutral

INPUT: they stopped working
OUTPUT: neutral

INPUT: Absolutely terrible. I ordered these expecting a quality product for 10 dollars. They were shipped in an envelope inside of another envelope all just banging against each other while on their way to me from the seller. 3 of them are broken internally, they make a rattle noise as the ones that work do not. I will be requesting a refund for these and filing a complaint with Amazon. Don't purchase unless you like to buy broken/damaged goods. Completely worthless.
OUTPUT: negative

INPUT: They don’t even work.
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

INPUT: So far my daughter loves it. She uses it for school backpack. As far as durable, we just got it, so we will have to see.
OUTPUT: positive

INPUT: Had three weeks and corner grommet ripped out
OUTPUT: negative

INPUT: I dislike this product it didnt hold water came smash in a bag and i just thow it in the trash
OUTPUT: negative

INPUT: This sweatshirt changed my life. I wore this sweatshirt almost every single day from January 25th, 2017 up until last week or so when the hood fell off after almost a year of abuse. This sweatshirt has made me realize that the small things in life are the things that matter. Thank you Hanes, keep doing what you do. Love, Justin
OUTPUT: positive

INPUT: Received this file box last night, and begin to put my documents in as soon as I received it. It is very good for me as my husband and I get a lot paperwork to save. The colorful tags make it easier to find what I want. The material is strong. I finally get something to help with the messy drawer! Love this product! I believe I will buy another one when this one is full!
OUTPUT: positive

INPUT: I got this backpack Monday night and I was excited about it because I had seen many great reviews for it. I used it for the first time the next day to hold a fair amount of things, and while I was out I noticed this huge rip right down the middle that wasn't there before. I would have been more understanding if I had it for a few months but this was the first time I had put anything into it. I've never been more disappointed in a product before as I have with this backpack. Be very careful when considering purchasing this product.
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

INPUT: Chair is really good for price! I have 6 children so I was looking for something not to expensive but good, this chair is really good comparing with others and good prices
OUTPUT: positive

INPUT: Beautifully crafted. No problem removing cake from pan and the cakes look very nice
OUTPUT: positive

INPUT: Arrived today and a bit disappointed. Great color and nice backing, BUT not thick and plush for the high price. Except fot the backing, you can find the same thickness at your local Walmart for a lot less money.
OUTPUT: neutral

INPUT: This is a great little portable table. Easy to build and tuck away in a corner. One big flaw is that the tabletop comes off easily. Adjusting the height becomes a 2 hand job or else the top may come off when pressing the lever.
OUTPUT: neutral

INPUT: Just received it and so far so good. No issues, did a great job. For a family on a budget trying to waste as least food as possible, it is a great investment and it was very affordable too.
OUTPUT: positive

INPUT: A great purchase. I was looking at pottery barn chairs but was so put off by their price that I looked elsewhere. This chair is very comfortable, looks fabulous, and great for nursing my baby.
OUTPUT:


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

INPUT: Awesome product. Have used on my hands several times since I received the product. My cuticles have softened and my hands are no longer dry.
OUTPUT: positive

INPUT: These make it really easy to use your small keyboard on your phone. Would recommend to everyone.
OUTPUT: positive

INPUT: You want an HONEST answer? I just returned from UPS where I returned the FARCE of an earring set to Amazon. It did NOT look like what I saw on Amazon. Only a baby would be able to wear the size of the earring. They were SO small. the size of a pin head I at first thought Amazon had forgotten to enclose them in the bag! I didn't bother to take them out of the bag and you can have them back. Will NEVER order another thing from your company. A disgrace. Honest enough for you? Grandma
OUTPUT: negative

INPUT: These bowls are wonderful. And the only reason I didn't give them a 5 is because I ordered RED bowls and received ORANGE bowls.
OUTPUT: neutral

INPUT: Solid value for the money. I’ve yet to have a problem with the first pair I bought. Buying a second for my second box.
OUTPUT: positive

INPUT: These are good Ukulele picks, but I still perfer to use my own fingers.
OUTPUT:


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

INPUT: Never noticed a big difference than a normal brush.
OUTPUT: neutral

INPUT: The graphics were not centered and placed more towards the handle than what the Amazon image shows. Only the person drinking can see the graphics. I will be returning the item.
OUTPUT: negative

INPUT: Wow. I want that time back. What a huge BORE!!
OUTPUT: negative

INPUT: Quality made from a family business. Sometimes a challenge to move around due to the chew toys hanging off but gives our puppy something to knaw on throughout the night. 5 month update: Our dog doesn't destroy many toys but since he truly loves this one he has ripped off the head, the tail rope, torn a few corner rope rings, put teeth marks in the internal foam and now ripped the underside of the cover. I'm giving this 4 stars still due to the simple fact that he LOVES this thing. Purchased right before they sold out, maybe the new model is more durable. Update with new model: The newer model has some areas where design has decreased in quality. The "tail" rope is not attached nearly as well as the first one. However, so far nothing has been ripped off of it in the 3 weeks since we have received it. He still loves it though!
OUTPUT: neutral

INPUT: It had to be changed very frequently. Even with the filter we had to empty the water and refill because the water would get nasty, the filters put black specs in the water. And it stopped working after 3 months
OUTPUT: negative

INPUT: I don't think we have seen much difference. Maybe we aren't doing it right.
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

INPUT: The light was easily assembled.... I had it up in about 15 minutes. Powered it up and I was in business. It has been running about a week or so and no problems to date.
OUTPUT: positive

INPUT: Granddaughter really likes it for her volleyball. well constructed and nice way to carry ball.
OUTPUT: positive

INPUT: Says it's charging but actually drains battery. Do not buy not worth the money.
OUTPUT: negative

INPUT: I have this installed under my spa cover to help maintain the heat. My spa is fully electric (including the heater), and this has done a good job reducing my overall electric bill by about 15% - 20% each month since last November. Quality is holding up fine, but it's out of the sun since it's under the spa cover. (Sorry, can't comment on what the longevity would be in the full sun.)
OUTPUT: positive

INPUT: Easy to use, quick and mostly painless!
OUTPUT: positive

INPUT: Its a nice small string with beautiful lights, but I misread I assumed it was battery operated and its not, we are having some power issues weather related and I thought it would be nice for extra lighting, its electric plus its has to be close to an outlet. not very useful.
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

INPUT: They were supposed to be “universal” but did not cover the whole seat of a Dodge Ram 97
OUTPUT: negative

INPUT: The small wrench was worthless. Ended up having to buy a new blender.
OUTPUT: negative

INPUT: So cute! And fit my son perfect so I’m not sure about an adult but probably would stretch.
OUTPUT: positive

INPUT: Ummmm, buy a hard side for your expensive wreath. It is too thin to protect mine.
OUTPUT: neutral

INPUT: The product fits fine and looks good. turn signal and heated mirror work. Unfortunately, the mirror vibrates on rough roads and rattles going over bumps. Plan to return it for a replacement.
OUTPUT: negative

INPUT: Listed to fit 2019 Subaru Forester. It doesn't fit 2019.
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

INPUT: Worst iPhone charger ever. The charger head broke after used for 5 Times. Terrible quality.
OUTPUT: negative

INPUT: The iron works good, but its very small, almost delicate. The insulation parts on the tip were plastic not ceramic. Came with the plug that's a bonus. But it took quite a bit longer then most things on amazon to ship. I use it for soldering race drones, i ordered the smaller tip, and its actually to small for all but my micro drones. Had to order another tip. Gets hot pretty quick. Apparently this is a firmware upgrade you can do to make it better, but i didn't have to use it.
OUTPUT: neutral

INPUT: I like this product, make me feel comfortable. I can use it convenient. The price is very cheap.
OUTPUT: positive

INPUT: I initially was impressed by the material quality of the headphones, but as I connected the headphones to listen to my song there was a problem. There is constantly this weird "old cable tv that has lost it's signal sound" in the background when trying to listen to anything. Pretty disappointed.
OUTPUT: neutral

INPUT: This cable is not of very good quality. It doesn’t fit right so you have to hold the connector to the port in order to work.
OUTPUT: negative

INPUT: I loved this adapter. Arrived on time and material used was good quality. It works great, this is convenient when I use this in my car, it can use headset when you charging. It is a very good product!
OUTPUT:


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

INPUT: I read a review from someone stating that this case had a lip on it to protect the screen. That person is mentally insane because there is zero lip what so ever. very annoyed
OUTPUT: neutral

INPUT: These make it really easy to use your small keyboard on your phone. Would recommend to everyone.
OUTPUT: positive

INPUT: Cheap material. Broke after a couple month of usage and I emailed the company about it and never got a response. There are much better phone cases out there so don't waste your time with this one.
OUTPUT: negative

INPUT: I ordered a screen for an iPhone 8 Plus, but recevied product that was for a different phone. A significantly smaller phone.
OUTPUT: negative

INPUT: I like this case a lot but it broke on me 3 times lol it's not very durable but it's cute! the bumper and clear part will snap apart
OUTPUT: neutral

INPUT: pretty case doesnt have any protection on front of phone so you will need an additional screen protector
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

INPUT: Quality was broken after 3rd use. I had a bad experience with this lost voice control.
OUTPUT: negative

INPUT: reception is quite bad compared to your stock antenna on any whoop camera. just buy the normal antenna
OUTPUT: neutral

INPUT: I didn’t like that it was made out of plastic and that you had to put it together yourself.
OUTPUT: negative

INPUT: Fantastic buy! Computer arrived quickly and was well packaged. Everything looks and performs like new. I had a problem with a cable. I contacted the seller and they immediately sent me out a new one. I can't say enough good things about about this purchase and this computer. I will definitely use them again.
OUTPUT: positive

INPUT: I initially was impressed by the material quality of the headphones, but as I connected the headphones to listen to my song there was a problem. There is constantly this weird "old cable tv that has lost it's signal sound" in the background when trying to listen to anything. Pretty disappointed.
OUTPUT: neutral

INPUT: Extremely disappointed. The video from this camera is great. The audio is a whole other story!!! No matter what I do I get tons of static. Ive used several different external mics and the audio always ends up being unusable. I really wish I would've researched this camera some more before buying it. Man what a waste of money.
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

INPUT: Just what I expected! Very nice!
OUTPUT: positive

INPUT: 2 out of four came busted
OUTPUT: neutral

INPUT: never got it after a week when promised
OUTPUT: negative

INPUT: Really cute outfit and fit well. But, the two bows fell off the top the first time worn. The bows were glued on opposed to sewn.
OUTPUT: neutral

INPUT: Expected more out of the movie. Reviews indicated that this would be a cast of thousands, but ended up being maybe a couple of hundred people stranded on the beach. Over all ok, but expected more actors which history showed that over 100,000 stranded on the beach.
OUTPUT: neutral

INPUT: Everyone got a good laugh
OUTPUT:


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

INPUT: Easy to install, fits perfectly, and does a good job.
OUTPUT: positive

INPUT: Very cheap a dollar store item and u can not sweep all material into pan as the edge is not beveled correctly
OUTPUT: negative

INPUT: I love the glass design and the shape is comfortable in one hand. My first purchase of this kettle lasted for two years of daily use. The hinge on the lid is fragile, and since the lid doesn't flip entirely back - it gets strained and broke within the year. Everything else worked fine until the auto shut-off stopped working after two years. For safety, I bought a new one which has now stopped working entirely after 17 months. I still love the design, but for $58 I expected it to last longer.
OUTPUT: neutral

INPUT: I like these storage bins overall. The color of the lining inside wasn’t expected, it shows a light brown color in the photo but it’s pretty dark. I would have preferred the lining inside to match the outside, tan or grey. Other than that they are cute and look as pictured.
OUTPUT: neutral

INPUT: I found this stable and very helpful to get things off the floor, as well as to be able to store below and on top of. Nice that it's adjustable.
OUTPUT: positive

INPUT: Excellent workmanship, beautiful appearance, and just the right size, installation is simple, special and stable. It can put a lot of things such as the usual utensils, dishes, and cups however, the biggest advantage is that it can save space.
OUTPUT:


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

INPUT: Whoever packed this does not care or has a lot to learn about dunnage.
OUTPUT: negative

INPUT: Product received was not the product ordered. It was a different set without a kettle and their were ants crawling in and out of the box so i didnt even open it but the picture shows a different item with no kettle. I was sent the same thing as a replacement. Fast shipping though.
OUTPUT: negative

INPUT: I bought the surprise shirt for grandparents, but was sent one for an aunt. I was planning on surprising them with this shirt tomorrow in a cute way, but now I have to postpone the get together until I receive the correct item sent hopefully right this time.
OUTPUT: negative

INPUT: DISAPPOINTED! Owl arrived missing stone for the right eye. Supposed to be a gift.
OUTPUT: neutral

INPUT: When i opened the package 2 of them were broken. Very disappointing
OUTPUT: negative

INPUT: I did not receive my package yet The person Noel B is not living here I don't know Him Please take a picture of the person you giving the package thank you
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

INPUT: I never received my item that I bought and it’s saying it was delivered.
OUTPUT: negative

INPUT: I don't like anything about it and I don't like that it is not able to be returned. JUNK!
OUTPUT: negative

INPUT: It will not turn on. It was a gift and the person called and said it does not work. It won't turn on. I would like to send back and get either another or my money back.
OUTPUT: negative

INPUT: We return the batteries and never revive a refund
OUTPUT: negative

INPUT: Absolutely terrible. I ordered these expecting a quality product for 10 dollars. They were shipped in an envelope inside of another envelope all just banging against each other while on their way to me from the seller. 3 of them are broken internally, they make a rattle noise as the ones that work do not. I will be requesting a refund for these and filing a complaint with Amazon. Don't purchase unless you like to buy broken/damaged goods. Completely worthless.
OUTPUT: negative

INPUT: I never received the item, it was said to arrive late for about 10 days, and yet not arrived. When it was showing expected receiving the next day, I thought just cancel and return it since it was so late. The refund processed without issues and received an email told me just keep it, but actually I never received the item.
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

INPUT: I'm really pissed off about this tiny brush that was sent with the bottle. This has to be a joke. I've purchased smaller water bottles and received a brush bigger/better than this.
OUTPUT: neutral

INPUT: The dress looked nothing like the picture! It was short, tight and cheap looking and fitting!
OUTPUT: negative

INPUT: You want an HONEST answer? I just returned from UPS where I returned the FARCE of an earring set to Amazon. It did NOT look like what I saw on Amazon. Only a baby would be able to wear the size of the earring. They were SO small. the size of a pin head I at first thought Amazon had forgotten to enclose them in the bag! I didn't bother to take them out of the bag and you can have them back. Will NEVER order another thing from your company. A disgrace. Honest enough for you? Grandma
OUTPUT: negative

INPUT: I never received my item that I bought and it’s saying it was delivered.
OUTPUT: negative

INPUT: I give this product zero stars. The bottle appears very old as if it has been sitting on a shelf in the sun. The expiration date is May 2020.
OUTPUT: negative

INPUT: Honestly this says 10oz my bottles I received wore a 4oz bottle
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

INPUT: Didn't expect much for the price, and that's about what I got. It covers and protects my table, just have to live with a grid of folds from packaging. Seller advised to use a hair dryer to flatten out the wrinkles, but it was a very painstakingly slow process that only took some of the sharp edges off of the folds, didn't make much difference. Going to invest in something better (and much more expensive) for daily use, this is OK for what it does.
OUTPUT: neutral

INPUT: These little lights are awesome. They put off a nice amount of light. And you can put them ANYWHERE! I have put one in the pantry. Another in my linen closet. Another one right next to my bed for when I get up in the middle of the night. Have only had them about a month but so far so good!
OUTPUT: positive

INPUT: We bring the kid to Cape Cod this long weekend. The shelter is very helpful when we stay on the beach. Kid feel comfortable when she was in the shelter. It was cool inside of shelter especially if you put some water on the top of the shelter. It is also very easy to carry and set up. It is a good product with high quality.
OUTPUT: positive

INPUT: Easy to use, quick and mostly painless!
OUTPUT: positive

INPUT: I found this stable and very helpful to get things off the floor, as well as to be able to store below and on top of. Nice that it's adjustable.
OUTPUT: positive

INPUT: Lite and easy to use, folds with ease and can be stored in the back seat, but the elastic which holds the shade closed failed within two weeks. Really didn't expect it to last much longer anyway. The price was good so likely will buy again next year.
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

INPUT: These are great for SO many things. Originally I had them in my drink at a club but then later bought them for my wedding center pieces. The light stays on for weeks but becomes dim after 3 or 4 days. We had a great time leaving the extra ones around the party and will use the extra ones for fun.
OUTPUT: positive

INPUT: Says it's charging but actually drains battery. Do not buy not worth the money.
OUTPUT: negative

INPUT: Does not give out that much light
OUTPUT: neutral

INPUT: I have this installed under my spa cover to help maintain the heat. My spa is fully electric (including the heater), and this has done a good job reducing my overall electric bill by about 15% - 20% each month since last November. Quality is holding up fine, but it's out of the sun since it's under the spa cover. (Sorry, can't comment on what the longevity would be in the full sun.)
OUTPUT: positive

INPUT: So pretty...but the first time I unplugged it, the glass top came off of the base. There’s a plastic ring attached to the bottom of the glass part. It has notches - supposedly to allow you to twist it onto the nightlight base. You’d need to be able to do that in order to replace the bulb. I’ll try gorilla glue or something to see if the ring can be securely affixed to the glass. Surprisingly poor design for something so beautiful.
OUTPUT: negative

INPUT: Great lite when plugged in, but light is much dimmer when used on battery mode.
OUTPUT:


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

INPUT: ordered and never received it.
OUTPUT: negative

INPUT: The iron works good, but its very small, almost delicate. The insulation parts on the tip were plastic not ceramic. Came with the plug that's a bonus. But it took quite a bit longer then most things on amazon to ship. I use it for soldering race drones, i ordered the smaller tip, and its actually to small for all but my micro drones. Had to order another tip. Gets hot pretty quick. Apparently this is a firmware upgrade you can do to make it better, but i didn't have to use it.
OUTPUT: neutral

INPUT: Perfect, came with everything needed. God quality and fit perfectly. Much less then original brand.
OUTPUT: positive

INPUT: I ordered green but was sent grey. Bought it to secure outside plants/shrubs to wooden poles. Wrong color but I'll make it work.
OUTPUT: neutral

INPUT: Maybe it's just my luck because this seems to happen to me with other products but the motor broke in 2 weeks. That was a bummer. I liked it for the 2 weeks though!
OUTPUT: neutral

INPUT: I am very annoyed because it came a day late and it didn’t come with the ferro rod and striker which is the main reason why I ordered it
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

INPUT: Just doesn't get hot enough for my liking. Its stashed away in the drawer.
OUTPUT: neutral

INPUT: Wouldn’t keep air the first day of use!!!
OUTPUT: negative

INPUT: Took a bottle to Prague with me but it just did not seem to do much.
OUTPUT: negative

INPUT: I love the glass design and the shape is comfortable in one hand. My first purchase of this kettle lasted for two years of daily use. The hinge on the lid is fragile, and since the lid doesn't flip entirely back - it gets strained and broke within the year. Everything else worked fine until the auto shut-off stopped working after two years. For safety, I bought a new one which has now stopped working entirely after 17 months. I still love the design, but for $58 I expected it to last longer.
OUTPUT: neutral

INPUT: Bought as gifts and me. we all love how this really cleans our electronics and my glasses
OUTPUT: positive

INPUT: I love that it keeps the wine cold.
OUTPUT:


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

INPUT: These do run large than expected. I wear a size 6 ordered 5-6 and they are way to big, I have to wear socks to keep them on . Plus I thought they would be thicker inside but after wearing them for a few days they seemed to break down . I will try to find a better pair
OUTPUT: neutral

INPUT: I have bought these cloths in the past, but never from Amazon. In contrast to previous purchases, these cloths do not absorb properly after the first wash. After washing they feel more like 'napkins'... very disappointed.
OUTPUT: negative

INPUT: I love how the waist doesn't have an elastic band in them. I have a bad back and tight waist bands always make my back feel worse.These feel decent...although If they could make them just one size larger..and not just offer plus size....that would be even better for my back.
OUTPUT: positive

INPUT: The paw prints are ALREADY coming off the bottom of the band where you snap it together, I've only worn it three times. Very upset that the paw prints have started rubbing off already 😡
OUTPUT: neutral

INPUT: The black one with the tassels on the front and it looks pretty cute, perfect for summer. I have broad shoulders so the looseness was great for me but if you are more petit you might not love how oversized it can look (specially the sleeves). Please note, it does SHRINK after washing (not even drying) so beware!! Also, it is very short but cute nonetheless.
OUTPUT: neutral

INPUT: I think I got a size too big and their are weird wrinkling at the thigh area. I got them bigger to be appropriate for casual work or church social occasions without fitting too tight. The color was nice and the pair I have are soft. I will try washing them in hot water to see if they shrink a little.
OUTPUT:


MODEL OUTPUT

 neutral


PARSE RESULT

 ['neutral']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

INPUT: So far my daughter loves it. She uses it for school backpack. As far as durable, we just got it, so we will have to see.
OUTPUT: positive

INPUT: Upsetting...these only work if you have a thin phone and or no phone case at all. I'm not going to take my phone's case (which isn't thick) off Everytime I want to use the stand. Wast of money. Don't buy if you use a phone case to protect your phone it's too thin.
OUTPUT: negative

INPUT: This is a knock off product. This IS NOT a puddle jumper brand float but a flimsy knock off instead. It is missing all stearns and puddle jumper branding on the arms. Do not buy!
OUTPUT: negative

INPUT: This case is ok, but not exceptional - a 3.5 or 4 max. The issue is there are fewer cases available for the Tab A 10.1 w S pen. Of those the Gumdrop is about the best, but it has some serious issues. The case rubber (silicone, whatever) is very smooth and slick, and doesn't give you a lot of confidence when hold the Tab with one hand. The Tab A is heavy so if your laying down watching a video the case slips in your hand so you have to make frequent adjustments. I had to remove the clear plastic shield that covers the screen because it impaired the touch screen operation. This affected the strength of the 1-piece plastic frame the surrounds the Tab A, so now the rubber outer cover feels really flexible and flimsy. Lastly, they made it difficult to get to the S pen. The S pen is in the back bottom right hand corner of the Tab A, and they made the little rubber flap that protects corner swing backwards for access to the S pen. This means in order to get the S pen out, the flap has to swing out 180 degrees. This is really awkward and hard to do with one hand. This case does a good job protecting my Tab A, but with these serious design flaws I can't recommend it unless you have an S pen, then you don't have much choice.
OUTPUT: neutral

INPUT: I found this stable and very helpful to get things off the floor, as well as to be able to store below and on top of. Nice that it's adjustable.
OUTPUT: positive

INPUT: Great product, I got this for my dad because he tends to drop a lot of objects and when i got him his airpod case, i was worried it might break. This case did the job and the texture made it non slip so it wont fall off surfaces as easily. The clip also makes it easy for my dad to clip it to his work bag so it wont get lost easily.
OUTPUT:


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

INPUT: Disappointed. There's this pink discoloration all over the back of the shirt. It's like someone already wore this
OUTPUT: negative

INPUT: The toy is ok but it came in what they call "standard packaging" and that amounted to a plain brown cardboard box, NOT the colorful box in the photo. Can't give this as a gift in this cardboard packaging.
OUTPUT: neutral

INPUT: I opened a bottle of this smart water and took a large drink, it had a very strong disgusting taste (swamp water). I looked into the bottle and found many small particles were floating in the water... a few brown specs and some translucent white. I am completely freaked out and have contacted Coca-Cola, the product manufacture.
OUTPUT: negative

INPUT: It's only been a few weeks and it looks moldy & horrible. I bought from the manufacturer last year and had no problems.
OUTPUT: negative

INPUT: I ordered green but was sent grey. Bought it to secure outside plants/shrubs to wooden poles. Wrong color but I'll make it work.
OUTPUT: neutral

INPUT: The color is mislabeled. This is supposed to be brown/blonde but comes out almost white. Completely unusable.
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

INPUT: Easy to install, fits perfectly, and does a good job.
OUTPUT: positive

INPUT: It was a great kit to put together but one gear is warped and i am finding myself ripping my hair out sanding and adjusting it to try to get it to tick more than a few seconds at a time.
OUTPUT: neutral

INPUT: Installation instructions are vague and pins are cheap. It gets the job done but I dont feel it will last very long. Cheaply made. Update: lasted 3 months and I didn't even put the max weight on a single line.
OUTPUT: negative

INPUT: This fan was checked out before the installer left. Later that day I turned it on and the globe was wobbling a lot. He was able to return the next day and discovered that the screws fastening the globe were loose already. He replaced them with some bigger screws he had with him. That was two weeks ago and the fan is still fine. It is very attractive and quiet.
OUTPUT: neutral

INPUT: I didn’t like that it was made out of plastic and that you had to put it together yourself.
OUTPUT: negative

INPUT: Easy to install and keep my threadripper nice and cool!
OUTPUT:


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

INPUT: Arrived today and a bit disappointed. Great color and nice backing, BUT not thick and plush for the high price. Except fot the backing, you can find the same thickness at your local Walmart for a lot less money.
OUTPUT: neutral

INPUT: It will do the job of holding shoes. It's not glamorous, but it holds shoes and stands in a closet. You will need help with the shelving assembly as it is a two person job.
OUTPUT: neutral

INPUT: The dress fits perfect! It’s a tad too long but not enough to bother with the hassle of getting it hemmed. The material is extremely comfortable and I love the pockets! I WILL be ordering a couple more in different colors.
OUTPUT: positive

INPUT: The beige mat looked orange on my beige flooring so I returned it and ordered a gray mat from another company that was $7 less to be safe on the color.
OUTPUT: neutral

INPUT: great throw for high end sofa, and works with any style even contemporary sleek sectionals
OUTPUT: positive

INPUT: This is a beautiful rug. exactly what I was looking for. When I received it, I was very impressed with the color. However, it is very thin. My dinning room table sets on it so I don't think it will get much wear. I hope it will hold up over time.
OUTPUT:


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

INPUT: My dog loves this toy, I haven't seen hear more thrill with any other toy, for the first three days, which is how long the squeaker lasted. She is not a heavy chewer, and in one of her "victory walks" after retrieving the ball, the squeaker was already gone. Apart from that it is my best investment
OUTPUT: neutral

INPUT: Ordered this for a Santa present and Christmas Eve noticed it came broken!
OUTPUT: negative

INPUT: My puppies loved it!
OUTPUT: positive

INPUT: The toy is ok but it came in what they call "standard packaging" and that amounted to a plain brown cardboard box, NOT the colorful box in the photo. Can't give this as a gift in this cardboard packaging.
OUTPUT: neutral

INPUT: Quality made from a family business. Sometimes a challenge to move around due to the chew toys hanging off but gives our puppy something to knaw on throughout the night. 5 month update: Our dog doesn't destroy many toys but since he truly loves this one he has ripped off the head, the tail rope, torn a few corner rope rings, put teeth marks in the internal foam and now ripped the underside of the cover. I'm giving this 4 stars still due to the simple fact that he LOVES this thing. Purchased right before they sold out, maybe the new model is more durable. Update with new model: The newer model has some areas where design has decreased in quality. The "tail" rope is not attached nearly as well as the first one. However, so far nothing has been ripped off of it in the 3 weeks since we have received it. He still loves it though!
OUTPUT: neutral

INPUT: My dog is loving her new toy. She has torn up others very quick, so far so good here. L
OUTPUT:


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

INPUT: I had it less than a week and the c type tip that connects to my S9 got burnt.
OUTPUT: negative

INPUT: Ordered this for a Santa present and Christmas Eve noticed it came broken!
OUTPUT: negative

INPUT: We bought it in hopes my son would stop sucking his thumb. He doesn't suck it when it's on but when it's off for eating, bathing, washing hands... he will still do it. We are now going to try the nail polish with bitter taste. This is a good idea, my son just needs something stronger to beat it.
OUTPUT: neutral

INPUT: Had three weeks and corner grommet ripped out
OUTPUT: negative

INPUT: The iron works good, but its very small, almost delicate. The insulation parts on the tip were plastic not ceramic. Came with the plug that's a bonus. But it took quite a bit longer then most things on amazon to ship. I use it for soldering race drones, i ordered the smaller tip, and its actually to small for all but my micro drones. Had to order another tip. Gets hot pretty quick. Apparently this is a firmware upgrade you can do to make it better, but i didn't have to use it.
OUTPUT: neutral

INPUT: Tip broke after a few weeks of use.
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

INPUT: Solid value for the money. I’ve yet to have a problem with the first pair I bought. Buying a second for my second box.
OUTPUT: positive

INPUT: Don't buy this game the physics are terrible and I am so mad at this game because probably there are about 40 hackers on every single game and the game. Don't doesn't even do anything about it you know they just let the hackers do whatever they want and then they do know that the game is terrible but they're doing absolutely nothing about it and the game keeps on doing updates about their characters really what they should be updating is the physics because it's terrible don't buy this game the physics are terrible and mechanics are terrible the people that obviously the people that built this game was high or something because it's one of the worst games I've honestly ever played in my life I would rather play Pixel Games in this crap it's one of the worst games don't buy
OUTPUT: negative

INPUT: This case is ok, but not exceptional - a 3.5 or 4 max. The issue is there are fewer cases available for the Tab A 10.1 w S pen. Of those the Gumdrop is about the best, but it has some serious issues. The case rubber (silicone, whatever) is very smooth and slick, and doesn't give you a lot of confidence when hold the Tab with one hand. The Tab A is heavy so if your laying down watching a video the case slips in your hand so you have to make frequent adjustments. I had to remove the clear plastic shield that covers the screen because it impaired the touch screen operation. This affected the strength of the 1-piece plastic frame the surrounds the Tab A, so now the rubber outer cover feels really flexible and flimsy. Lastly, they made it difficult to get to the S pen. The S pen is in the back bottom right hand corner of the Tab A, and they made the little rubber flap that protects corner swing backwards for access to the S pen. This means in order to get the S pen out, the flap has to swing out 180 degrees. This is really awkward and hard to do with one hand. This case does a good job protecting my Tab A, but with these serious design flaws I can't recommend it unless you have an S pen, then you don't have much choice.
OUTPUT: neutral

INPUT: Received this file box last night, and begin to put my documents in as soon as I received it. It is very good for me as my husband and I get a lot paperwork to save. The colorful tags make it easier to find what I want. The material is strong. I finally get something to help with the messy drawer! Love this product! I believe I will buy another one when this one is full!
OUTPUT: positive

INPUT: 2 out of four came busted
OUTPUT: neutral

INPUT: This gets three stars because it did not give me exactly what I ordered. I ordered 4 of the 100 card lots. So, I wanted 100 Unstable MTG cards per box. Instead, I was given 97 Unstable cards per box, and 4 random MTG commons. I paid for 100 Unstable cards! Not 97 and 4 random cards! Also, the boxes they advertise are not too great. They do the job of holding the cards, but that's about it. I'm definitely getting a new case for these. If you want to buy, don't take it too seriously. Don't expect all 100 cards to be Unstable, and expect multiples.
OUTPUT:


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

INPUT: I was totally looking forward to using this because I tried the original solution and it was great but it burned my skin because I have sensitive skin but this one Burns and makes my make up look like crap I wouldn’t recommend it at all don’t waste your money
OUTPUT: negative

INPUT: Okay pool cue. However you can buy one 4 oz. lighter (21 oz,) for 1/3 the price of this 25 oz. cue. Not worth the extra money for the weight difference.
OUTPUT: neutral

INPUT: Horrible after taste. I can imagine "Pine Sol Cleaning liquid" tasting like this. Very strange. It's a NO for me.
OUTPUT: negative

INPUT: Does not work mixed this with process solution and 000 and nothing. Looked exactly the same as i first put it on.
OUTPUT: negative

INPUT: High quality product. I prefer the citrate formula over other types of magnesium
OUTPUT: positive

INPUT: I have been using sea salt and want to mix this in for the iodine.
OUTPUT:


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

INPUT: This fan was checked out before the installer left. Later that day I turned it on and the globe was wobbling a lot. He was able to return the next day and discovered that the screws fastening the globe were loose already. He replaced them with some bigger screws he had with him. That was two weeks ago and the fan is still fine. It is very attractive and quiet.
OUTPUT: neutral

INPUT: 2 out of three stopped working after two weeks.! Threw them all in the trash. Don't waste your money
OUTPUT: negative

INPUT: These are great for SO many things. Originally I had them in my drink at a club but then later bought them for my wedding center pieces. The light stays on for weeks but becomes dim after 3 or 4 days. We had a great time leaving the extra ones around the party and will use the extra ones for fun.
OUTPUT: positive

INPUT: Corner of magnet board was bent ... would like new one sent will not adhere to fridge on the corner
OUTPUT: neutral

INPUT: Fantastic buy! Computer arrived quickly and was well packaged. Everything looks and performs like new. I had a problem with a cable. I contacted the seller and they immediately sent me out a new one. I can't say enough good things about about this purchase and this computer. I will definitely use them again.
OUTPUT: positive

INPUT: I had these desk top fan since Christmas 2017 and only used them a hand full of times and now the fans don’t even work. What a waste of money.
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

INPUT: I would love to give this product 5 star but unfortunately it just doesn’t cut due to quality. I bought them only (and only) for my toddlers snacks. And for that purpose they work great. I would probably use them in other situations as well if they were all the same. And yes I understand, if they are hand carved from one piece of wood, there could be slight difference, but that’s where product quality control comes in. I guess they just didn’t want any faulty products and decided to sell them all no matter what.
OUTPUT: neutral

INPUT: Received this file box last night, and begin to put my documents in as soon as I received it. It is very good for me as my husband and I get a lot paperwork to save. The colorful tags make it easier to find what I want. The material is strong. I finally get something to help with the messy drawer! Love this product! I believe I will buy another one when this one is full!
OUTPUT: positive

INPUT: Very cheaply made, its not worth your money, ours came already broken and looks like it's been played with, retaped, resold.
OUTPUT: negative

INPUT: Overall it’s a nice bed frame but it comes with scratches all over the frame. It comes with a building kit (kind of like an IKEA building kit) so it takes a while
OUTPUT: neutral

INPUT: I found this stable and very helpful to get things off the floor, as well as to be able to store below and on top of. Nice that it's adjustable.
OUTPUT: positive

INPUT: This is a poorly made piece that was falling apart as we assembled it - some of the elements looked closer to cardboard than any wood you can imagine. I can foresee that it will be donated or thrown away in the next few months or even weeks.
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

INPUT: Works great, bought a 2nd one for my son's dog. I usually only put them on at night and it stopped the barking immediately. Battery lasted a month. Used a little duct tape to keep the collar at the right length.
OUTPUT: positive

INPUT: Did not come with the wand
OUTPUT: negative

INPUT: This fan was checked out before the installer left. Later that day I turned it on and the globe was wobbling a lot. He was able to return the next day and discovered that the screws fastening the globe were loose already. He replaced them with some bigger screws he had with him. That was two weeks ago and the fan is still fine. It is very attractive and quiet.
OUTPUT: neutral

INPUT: Way to sensitive turns on and off 1000 times a night I guess it picks up bugs or something
OUTPUT: negative

INPUT: We have a smooth collie who is about 80 pounds. Thank goodness she just jumps into the tub. When she jumps back out it takes multiple towels to get her dry enough to use the hair dryer. Yes, she really is a typical girl and does not mind the hair dryer at all. I bought this hoping it would absorb enough to get her dry without any additional towels. Did not work for Stella. Now, I am sure it would work for a small dog and is a very nice towel. If you have a small dog, go ahead and get it.
OUTPUT: neutral

INPUT: Product does not include instructions, but turning the shaft changes the frequency. Does nothing to quiet the dog next door, but when I blow it in the house, my wife barks.
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

INPUT: reception is quite bad compared to your stock antenna on any whoop camera. just buy the normal antenna
OUTPUT: neutral

INPUT: The light was easily assembled.... I had it up in about 15 minutes. Powered it up and I was in business. It has been running about a week or so and no problems to date.
OUTPUT: positive

INPUT: It will not turn on. It was a gift and the person called and said it does not work. It won't turn on. I would like to send back and get either another or my money back.
OUTPUT: negative

INPUT: Lamp works perfectly for my chicks
OUTPUT: positive

INPUT: I purchased this for my wife in October, 2017. At the time, we were in the middle of relocating and living in a hotel. I couldn't get this scale to connect to the Wifi in the hotel. I decided to wait until we moved into our home and I could set up my own Wifi system. March 2018- I have set up my Wifi system and this scale still won't connect. Every time I try, I get the error message. Even when I am 10' away from the Wifi unit. I followed the YouTube setup video with no success. When I purchased the unit, I thought it would connect directly to my wife's phone (like Bluetooth). Instead, this scale uses the Wifi router to communicate to the phone. This system is limited to the router connection...which is usually not close to the bedroom unlike a cell phone! I wouldn't recommend this scale to anyone because of the Wifi connection. Instead, please look at systems that use Bluetooth for communication. I am replacing this with a Bluetooth connection scale.
OUTPUT: negative

INPUT: We never could get this bulb camera to work. I’ve had 3 people try this bulb at different locations and it will not connect to the internet and will not set up.
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

INPUT: I like these storage bins overall. The color of the lining inside wasn’t expected, it shows a light brown color in the photo but it’s pretty dark. I would have preferred the lining inside to match the outside, tan or grey. Other than that they are cute and look as pictured.
OUTPUT: neutral

INPUT: Thin curtains that are only good for an accent. 56" wide is if you can stretch to maximum. Minimal light and noise reduction. NOT WORTH THE PRICE!!!
OUTPUT: negative

INPUT: The dress looked nothing like the picture! It was short, tight and cheap looking and fitting!
OUTPUT: negative

INPUT: What a really great set of acrylics. My daughter has been painting with them since they came in. The colors come in a wide range of vibrant colors that have a smooth consistency. These paints are packed in aluminum tubes which allows the paint to not dry or crack over time.
OUTPUT: positive

INPUT: Seriously the fluffiest towels! The color is beautiful, exactly as pictured, and they are bigger than I expected. Plus, I spent the same amount of money for these that I would have on the "premium" (non-organic) towels from Wal-Mart. You can't go wrong.
OUTPUT: positive

INPUT: Ultimately I love the look of the curtains, they are beautiful and provide enough light blocking for the room we're using them in. However, they are not the color pictured. They were only blue and white. I wish that they were the ones that I thought that I had ordered, however, we will keep them because they are still beautiful.
OUTPUT:


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

INPUT: Excellent read!! I absolutely loved the book!! I’ve adopted 4 Siamese cats from Siri over the years and everyone of them were absolute loves. Once you start to read this book, it’s hard to put down. Funny, witty and very entertaining!! Siri has gone above and beyond in her efforts to rescue cats (mainly Siamese)!!
OUTPUT: positive

INPUT: Love it! As with all Tree to Tub Products, I’ve incredibly happy with this toner.
OUTPUT: positive

INPUT: The book is fabulous, but not in the condition i was lead to believe it was in. I thought i was buying a good used copy, what i got is torn cover and some kind of humidity damaged book. I give 5 stars for the book, 2 stars for the condition.
OUTPUT: neutral

INPUT: This makes almost the whole series. Roman Nights will be the last one. Loved them all. Alaskan Nights was awesome. Met my expectations , hot SEAL hero, beautiful & feisty woman. Filled with intrigue, steamy romance & nail biting ending. Have read two other books of yours. Am looking forward to more.
OUTPUT: positive

INPUT: Very informative Halloween Recipes For Kids book. This book is just what I needed with great and delicious recipe ideas. I will make a gift for my mom on her birthday. Thanks, author!
OUTPUT: positive

INPUT: This book was so amazing!! WOW!! This is my favorite book that I have read in such a long time. It is a great summer read and it has made me wish that I could be a Meade Creamery girl myself!! Siobhan is an awesome writer and I can’t wait to read more from her.
OUTPUT:


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

INPUT: The clear backing lacks the stickiness to keep the letters adhered until you’re finished weeding! It’s so frustrating to have to keep up with a bunch of letters and pieces that have curled and fell off the paper! It requires additional work to make sure that they’re aligned properly and being applied on the right side, which was an issue for me several times! I purchased 3 packs of this and while it’s okay for larger designs, it sucks for lettering or anything intricate 😏 Possibly it’s old and dried out, but in any event, I will not be buying from this vendor again and suggest that you don’t either!
OUTPUT: negative

INPUT: This was very easy to use and the cookies turned out great for the Boy Scout Ceremony!
OUTPUT: positive

INPUT: I opened a bottle of this smart water and took a large drink, it had a very strong disgusting taste (swamp water). I looked into the bottle and found many small particles were floating in the water... a few brown specs and some translucent white. I am completely freaked out and have contacted Coca-Cola, the product manufacture.
OUTPUT: negative

INPUT: Does not work mixed this with process solution and 000 and nothing. Looked exactly the same as i first put it on.
OUTPUT: negative

INPUT: This product exceeded my expectations. I am not good about cleaning my make up brushes. In fact when I received this cleaner it had been months since I last cleaned them. So I figured at best they should be a little better off. It was better than that! My brushes are like new! A couple I needed to clean two times, but considering how much build up on them there was, was completely warranted. I’m so excited that I discovered this product as I finally have a reason to buy nicer brushes! Clean up was easy!
OUTPUT: positive

INPUT: I followed the instructions but the chalk goes on gritty and chunky, and looks nothing like the photos. A giant waste.
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

INPUT: My dog loves this toy, I haven't seen hear more thrill with any other toy, for the first three days, which is how long the squeaker lasted. She is not a heavy chewer, and in one of her "victory walks" after retrieving the ball, the squeaker was already gone. Apart from that it is my best investment
OUTPUT: neutral

INPUT: I have three of these linked together. As many of the other reviews said, the legs are weak and prone to breakage even with careful use. It is best to provide some other means of support and not use the legs. Also the gaskets at the fittings do not seal well. I used RTV silicone sealant when assembling the water fittings to stop the leakage. These units are doing a good job heating my pool.
OUTPUT: neutral

INPUT: These are great for SO many things. Originally I had them in my drink at a club but then later bought them for my wedding center pieces. The light stays on for weeks but becomes dim after 3 or 4 days. We had a great time leaving the extra ones around the party and will use the extra ones for fun.
OUTPUT: positive

INPUT: Looking at orher reviews the tail was supposed to be obscenely long -- it was actually the perfect size but im not sure if thats intentional. The waist strap fits perfectly-- but again, need to list that my waist is fairly wide and it sat on my hips. Im unsure about the life of the strap. To the actual quality the fur seems of a fair (not great but not terrible quality but the tail isnt fully stuffed.) Apparently theres supposed to be a wire to pose the tail. There is none in mine, which is fine cause again, mine came up shorter than others. Im only rating 3 stars because of some unintentional good things.
OUTPUT: neutral

INPUT: Not super durable. The bag holds up okay but the drawstrings sometimes tear if the bag gets past a couple lbs.
OUTPUT: neutral

INPUT: I can not tell you how many times I have bought one of these. My dogs are obsessed with them! The legs don’t last long but the rest of it does, probably one of the longer lasting toys they have had.
OUTPUT:


MODEL OUTPUT

 neutral


PARSE RESULT

 ['neutral']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

INPUT: Absolutely worthless! Adhesive does not stick!
OUTPUT: negative

INPUT: Horrible after taste. I can imagine "Pine Sol Cleaning liquid" tasting like this. Very strange. It's a NO for me.
OUTPUT: negative

INPUT: Easy to clean as long as you clean it directly after using of course. Works great. Very happy
OUTPUT: positive

INPUT: So far my daughter loves it. She uses it for school backpack. As far as durable, we just got it, so we will have to see.
OUTPUT: positive

INPUT: Clumpy, creases on my lips, patchy, all in all not worth it. Have to scrub my lips nearly off with makeup remover to get it all off.
OUTPUT: negative

INPUT: Very sticky and is messy! Make sure you wipe the lid and top really good or you will struggle to get it open the next time you use it!
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

INPUT: Im not sure if its just this sellers stock of this product or what but the first order was no good, each bottle had mold and clumps in the bottle and usually companies will put a couple of metal beads in a bottle to aid in the mixing but these had a rock in it... like a rock off the ground. I decided to replace the item, same seller, and once again they were all clumpy and gross... I attached a photo. I wouldnt buy these, at least not from this seller.
OUTPUT: negative

INPUT: Too stiff, barely zips, and is very bulky
OUTPUT: negative

INPUT: Can’t get ice all the way around the bowl. Only on the bottom, so it didn’t keep my food as cold as I would have liked.
OUTPUT: neutral

INPUT: Awkward shape, does not fit all butter sticks
OUTPUT: neutral

INPUT: I REALLY WANTED TO LOVE THIS BUT I DON'T. THE SMELL IS NOT STRONG AT ALL NO MATTER HOW MUCH OF IT ADD.
OUTPUT: negative

INPUT: NOT ENOUGH CHEESE PUFFS
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

INPUT: Quality product. I just wish there were choices for the cover, it's hideous.
OUTPUT: neutral

INPUT: I never should've ordered this for my front porch steps. It had NO Adhesion and was a BIG disappointment.
OUTPUT: negative

INPUT: Stop using Amazon Delivery Drivers, they are incompetent and continually damage packages
OUTPUT: negative

INPUT: Very poorly packaged. The glasses banged each other. Should have been bubble wrapped. So bummed that I can’t use these for a party tonight!
OUTPUT: negative

INPUT: I dislike this product it didnt hold water came smash in a bag and i just thow it in the trash
OUTPUT: negative

INPUT: The plastic wrap covering the address section falls out easily. Not high quality, or long lasting. Got the job done for the trip.
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

INPUT: these were ok, but to big for the craft I needed them for. Maybe find something to use them on.
OUTPUT: neutral

INPUT: What a really great set of acrylics. My daughter has been painting with them since they came in. The colors come in a wide range of vibrant colors that have a smooth consistency. These paints are packed in aluminum tubes which allows the paint to not dry or crack over time.
OUTPUT: positive

INPUT: They’re cute and work well for my kids. Price is definitely great for kids sheets.
OUTPUT: positive

INPUT: Loved the dress fitted like a glove nice material and it feels great
OUTPUT: positive

INPUT: Absolutely terrible. I ordered these expecting a quality product for 10 dollars. They were shipped in an envelope inside of another envelope all just banging against each other while on their way to me from the seller. 3 of them are broken internally, they make a rattle noise as the ones that work do not. I will be requesting a refund for these and filing a complaint with Amazon. Don't purchase unless you like to buy broken/damaged goods. Completely worthless.
OUTPUT: negative

INPUT: They were beautiful and worked great for the agape items I needed them for.
OUTPUT:


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

INPUT: Fits great kinda expensive but it’s good quality
OUTPUT: positive

INPUT: Quality is just okay. Magnet on the back is strong and it's nice its detachable but the case around the phone isn't very protective and very flimsy. You get what you pay for.
OUTPUT: neutral

INPUT: The dress fits perfect! It’s a tad too long but not enough to bother with the hassle of getting it hemmed. The material is extremely comfortable and I love the pockets! I WILL be ordering a couple more in different colors.
OUTPUT: positive

INPUT: Great quality but too wide to fit BBQ Galore Grand Turbo 4 burner with 2 searing bars.
OUTPUT: positive

INPUT: The product fits fine and looks good. turn signal and heated mirror work. Unfortunately, the mirror vibrates on rough roads and rattles going over bumps. Plan to return it for a replacement.
OUTPUT: negative

INPUT: It fits nice, but I'm not sure about the quality, at the end of the day you get what you pay for.
OUTPUT:


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

INPUT: This shirt is not long as the picture indicates. It's just below waist length. Disappointed b/c I am 5'10 and wanted to wear with leggings.
OUTPUT: negative

INPUT: They are so comfortable that I don't even know I am wearing them.
OUTPUT: positive

INPUT: I bought these for under dresses and they are perfect for that. I did size up to a large instead of a medium because they run small. They hit the knees on me but that’s because I’m 4’11”
OUTPUT: positive

INPUT: So cute! And fit my son perfect so I’m not sure about an adult but probably would stretch.
OUTPUT: positive

INPUT: Clasps broke off after having for only a few months 😢
OUTPUT: negative

INPUT: These are so sexy and perfect for short girls. I’m 5’1 and they aren’t crazy long!! BUT the waistband is really freaking tight. I let my friend wear them and she somehow got the waistband extremely twisted, it took me 3 days to fix it. Yikes. But still cute
OUTPUT:


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

INPUT: I love how the waist doesn't have an elastic band in them. I have a bad back and tight waist bands always make my back feel worse.These feel decent...although If they could make them just one size larger..and not just offer plus size....that would be even better for my back.
OUTPUT: positive

INPUT: This is even sexier than the pic! It has good control and is smooth under all my clothes! It's also comfortable and I'm able to easily wear it all day, it doesn't roll down either!
OUTPUT: positive

INPUT: I bought these for under dresses and they are perfect for that. I did size up to a large instead of a medium because they run small. They hit the knees on me but that’s because I’m 4’11”
OUTPUT: positive

INPUT: They work really well for heartburn and stomach upset. But taking a couple stars off as capsules are poor quality and break. I lost over 30 in a bottle of 120 as they leaked. Powder ended up bottom of bottle.
OUTPUT: neutral

INPUT: This shirt is not long as the picture indicates. It's just below waist length. Disappointed b/c I am 5'10 and wanted to wear with leggings.
OUTPUT: negative

INPUT: I love these Capris so much that I bought 4 pairs. The high waist helps with tummy control where I have a lot around the waist but skinnier legs and these are perfect. Sometimes with high waist products they tend to roll but these do not and they make your ass look amazing. Highly recommended.
OUTPUT:


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task. The texts you will be processing are from the product reviews domain. I want you to classify the texts into one of the following categories: ['positive', 'negative', 'neutral'].
Think step by step you answer. In your response, include only the name of the class predicted.

INPUT: Easy to install, fits perfectly, and does a good job.
OUTPUT: positive

INPUT: Easy to peel and stick. They don't fall off.
OUTPUT: positive

INPUT: Beautifully crafted. No problem removing cake from pan and the cakes look very nice
OUTPUT: positive

INPUT: Love this coverup! It’s super thin and very boho!! Always getting compliments on it!
OUTPUT: positive

INPUT: Bought as gifts and me. we all love how this really cleans our electronics and my glasses
OUTPUT: positive

INPUT: Great product. Good look. JUST a little tough to remove.
OUTPUT:


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']
[30]:
sns.heatmap(confusion_matrix(test_targets, pred_targets), annot=True, cmap="Blues")
[30]:
<Axes: >
../_images/notebooks_04_test_flant5_classification_prompts_29_1.png
[ ]:

Prueba 3#

[31]:
prompt = """
TEMPLATE:
    "I need you to help me with a text classification task.
    {__PROMPT_DOMAIN__}
    {__PROMPT_LABELS__}

    {__CHAIN_THOUGHT__}
    {__ANSWER_FORMAT__}"

PROMPT_DOMAIN:
    ""

PROMPT_LABELS:
    ""

PROMPT_DETAIL:
    ""

CHAIN_THOUGHT:
    ""

ANSWER_FORMAT:
    ""
"""
[32]:
import seaborn as sns
from sklearn.metrics import confusion_matrix
from promptmeteo import DocumentClassifier

model = DocumentClassifier(
    language="en",
    model_name="google/flan-t5-small",
    model_provider_name="hf_pipeline",
    prompt_domain="product reviews",
    prompt_labels=["positive", "negative", "neutral"],
    selector_k=10,
    verbose=True,
)

model.task.prompt.read_prompt(prompt)

model.train(
    examples=train_reviews,
    annotations=train_targets,
)

pred_targets = model.predict(test_reviews)
/opt/conda/lib/python3.10/site-packages/transformers/generation/utils.py:1270: UserWarning: You have modified the pretrained model configuration to control generation. This is a deprecated strategy to control generation and will be removed soon, in a future version. Please use a generation configuration file (see https://huggingface.co/docs/transformers/main_classes/text_generation )
  warnings.warn(
Token indices sequence length is longer than the specified maximum sequence length for this model (593 > 512). Running this sequence through the model will result in indexing errors


PROMPT INPUT

  I need you to help me with a text classification task.


INPUT: Very strong cheap pleather smell that took a few days to air out. One of the straps clips onto the zipper, so be careful of the zipper slowly coming undone as you walk.
OUTPUT: neutral

INPUT: The 8 year old nephew said he wanted this for his birthday. I felt it was a bit much for a toy but he caught me on a good day. Come to find out it's a fragile collectible so the nephew lost all the small parts the moment he opened it. I guess it's adequate for collectors that want detail on such a small figurine.
OUTPUT: neutral

INPUT: It leaves white residue all over dishes! Gross!
OUTPUT: negative

INPUT: Really can't say because cat refused to try it. I gave it to someone else to try
OUTPUT: negative

INPUT: Wouldn’t keep air the first day of use!!!
OUTPUT: negative

INPUT: Way to sensitive turns on and off 1000 times a night I guess it picks up bugs or something
OUTPUT: negative

INPUT: Smudges easily and collects in corners of eyes throughout the day. Goes on smooth and rich without clumping.
OUTPUT: neutral

INPUT: I really love this product. I love how big it is compare to others diaper changing pads. I love the extra pockets and on top of that you get a free insulated bottle bag. All of that for an amazing price.
OUTPUT: positive

INPUT: I REALLY WANTED TO LOVE THIS BUT I DON'T. THE SMELL IS NOT STRONG AT ALL NO MATTER HOW MUCH OF IT ADD.
OUTPUT: negative

INPUT: I like these storage bins overall. The color of the lining inside wasn’t expected, it shows a light brown color in the photo but it’s pretty dark. I would have preferred the lining inside to match the outside, tan or grey. Other than that they are cute and look as pictured.
OUTPUT: neutral

INPUT: It keeps the litter box smelling nice.
OUTPUT:


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task.


INPUT: Easy to install, fits perfectly, and does a good job.
OUTPUT: positive

INPUT: Does not work mixed this with process solution and 000 and nothing. Looked exactly the same as i first put it on.
OUTPUT: negative

INPUT: This is a knock off product. This IS NOT a puddle jumper brand float but a flimsy knock off instead. It is missing all stearns and puddle jumper branding on the arms. Do not buy!
OUTPUT: negative

INPUT: Had to use washers even though the bolts were stock like beveled in appearance. 3 pulled through the skid, and there isn't any rust issues. I called daystar because i spent the money so i wouldn't have to use washers. They told me to use washers.
OUTPUT: neutral

INPUT: I have this installed under my spa cover to help maintain the heat. My spa is fully electric (including the heater), and this has done a good job reducing my overall electric bill by about 15% - 20% each month since last November. Quality is holding up fine, but it's out of the sun since it's under the spa cover. (Sorry, can't comment on what the longevity would be in the full sun.)
OUTPUT: positive

INPUT: This product worked just as designed and was very easy to install.The setup is so simple for each load on the trailer.I would def recommend this item for anyone needing a break controller.
OUTPUT: positive

INPUT: These are awesome! I just used them on my 12 ft Christmas tree so I could get it out the door. So easy to use that I’m going to buy another pair.
OUTPUT: positive

INPUT: Once installed we realized that it's missing a gasket or something behind it to seal it to the shower wall. Water can just run behind it because it doesn't fit tightly. It looks great and I like it, but we have to figure something out to make it more functional.
OUTPUT: neutral

INPUT: This product does not work at all. I have tried it on two of my vehicles and it does not cover light scratches. Waste of money.
OUTPUT: negative

INPUT: Product does not stick well came loose and less than 24 hours after installing did everything correctly but just didn’t work
OUTPUT: negative

INPUT: Installed this on our boat and am very happy with the results. Great product!
OUTPUT:


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task.


INPUT: I was very disappointed in this item. It is very soft and not chewy. It falls apart in your hand. My dog eats them but I prefer a more chewy treat for my dog.
OUTPUT: negative

INPUT: Just can't get use to the lack of taste with this ceylon cinnamon. I have to use so much to get any taste at all. This is the first ceylon I've tried so I can't compare. Just not impressed. I agree with some others that it taste more like red hot candy smells. Hope I can find some that has some flavor. I really don't want to go back to the other cinnamon that is bad for us.
OUTPUT: neutral

INPUT: I like everything about the pill box except its size. I take a lot of supplements and the dispenser is just too small to hold all the pills that I take.
OUTPUT: neutral

INPUT: They sent HyClean which is NOT for the US market therefore this is deceptive marketing
OUTPUT: negative

INPUT: The glitter gel flows, its super cute.
OUTPUT: positive

INPUT: Very poorly packaged. The glasses banged each other. Should have been bubble wrapped. So bummed that I can’t use these for a party tonight!
OUTPUT: negative

INPUT: These raw cashews are delicious and fresh.
OUTPUT: positive

INPUT: Very informative Halloween Recipes For Kids book. This book is just what I needed with great and delicious recipe ideas. I will make a gift for my mom on her birthday. Thanks, author!
OUTPUT: positive

INPUT: Easy to use, quick and mostly painless!
OUTPUT: positive

INPUT: I'm really disappointed that Garden of Life SOLD OUT to NESTLE!!! Now I have to find a replacement for this supplement.
OUTPUT: neutral

INPUT: It is really nice to have my favorite sugar alternative packaged in little take along packets! I LOVE swerve, and it is so convenient to have these to throw in my purse for dining out, or to use at a friend’s house. While they are a bit pricey, I cannot stand Equal or the pink stuff in my iced tea. Swerve or nothing, so i am thrilled to have my sweetener on the go!
OUTPUT:


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task.


INPUT: Easy to install, fits perfectly, and does a good job.
OUTPUT: positive

INPUT: Glass is extremely thin. Mine broke into a million shards. Very dangerous!
OUTPUT: neutral

INPUT: Easy to peel and stick. They don't fall off.
OUTPUT: positive

INPUT: Cheap material. Broke after a couple month of usage and I emailed the company about it and never got a response. There are much better phone cases out there so don't waste your time with this one.
OUTPUT: negative

INPUT: Cheap, don’t work. Very dim. Not worth the money.
OUTPUT: negative

INPUT: seems okay, weaker than i thought it be be and too tight
OUTPUT: neutral

INPUT: Love this coverup! It’s super thin and very boho!! Always getting compliments on it!
OUTPUT: positive

INPUT: Installation instructions are vague and pins are cheap. It gets the job done but I dont feel it will last very long. Cheaply made. Update: lasted 3 months and I didn't even put the max weight on a single line.
OUTPUT: negative

INPUT: My cousin has one for his kid, my daughter loves it. I got one for my back yard,but not easy to find a good spot to hang it. After i cut some trees, now its prefect. Having lots of fun with my daughter. Nice swing, easy to install.
OUTPUT: positive

INPUT: Too stiff, barely zips, and is very bulky
OUTPUT: negative

INPUT: Easy to install, but very thin
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task.


INPUT: I like these storage bins overall. The color of the lining inside wasn’t expected, it shows a light brown color in the photo but it’s pretty dark. I would have preferred the lining inside to match the outside, tan or grey. Other than that they are cute and look as pictured.
OUTPUT: neutral

INPUT: I was very disappointed in this item. It is very soft and not chewy. It falls apart in your hand. My dog eats them but I prefer a more chewy treat for my dog.
OUTPUT: negative

INPUT: We bring the kid to Cape Cod this long weekend. The shelter is very helpful when we stay on the beach. Kid feel comfortable when she was in the shelter. It was cool inside of shelter especially if you put some water on the top of the shelter. It is also very easy to carry and set up. It is a good product with high quality.
OUTPUT: positive

INPUT: The 8 year old nephew said he wanted this for his birthday. I felt it was a bit much for a toy but he caught me on a good day. Come to find out it's a fragile collectible so the nephew lost all the small parts the moment he opened it. I guess it's adequate for collectors that want detail on such a small figurine.
OUTPUT: neutral

INPUT: I've been using this product with my laundry for a while now and I like it, but I had to return it because it wasn't packaged right and everything was damaged.
OUTPUT: negative

INPUT: Not super durable. The bag holds up okay but the drawstrings sometimes tear if the bag gets past a couple lbs.
OUTPUT: neutral

INPUT: Easy to clean. Great length for my toddler!
OUTPUT: positive

INPUT: I didn’t like that it was made out of plastic and that you had to put it together yourself.
OUTPUT: negative

INPUT: I found this stable and very helpful to get things off the floor, as well as to be able to store below and on top of. Nice that it's adjustable.
OUTPUT: positive

INPUT: After I gave it to my pet bunny, she didn't like it as much.
OUTPUT: neutral

INPUT: It's an ok bin. I got it to use as a clothes hamper thinking it was more of a linen material, probably my mistake for not reading the description better but it's actually more like a plastic. Decided it would be better suited for my daughter's stuff animals. It's cute and serves a purpose and isn't all that expensive. Just not what I thought it would be when originally purchasing it.
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task.


INPUT: I did a lot of thinking as I read this book. I felt as though I could really picture what the main character was going through. The author did a great job describing the situations and events. I really rooted for the main character and felt her struggles. It seems as though she had to over come a lot to once again over come a lot. She had a group of interesting characters both supporting her and also ones who were against her. Not a plot to be predicted. I highly recommend this book. It grabbed my attention from the first page and had me thinking about it long after. I look forward to reading the author's next book.
OUTPUT: positive

INPUT: Very informative Halloween Recipes For Kids book. This book is just what I needed with great and delicious recipe ideas. I will make a gift for my mom on her birthday. Thanks, author!
OUTPUT: positive

INPUT: Excellent read!! I absolutely loved the book!! I’ve adopted 4 Siamese cats from Siri over the years and everyone of them were absolute loves. Once you start to read this book, it’s hard to put down. Funny, witty and very entertaining!! Siri has gone above and beyond in her efforts to rescue cats (mainly Siamese)!!
OUTPUT: positive

INPUT: Great beginning to vampire series. It is nice to have a background upon which a series is based. I look forward to reading this series
OUTPUT: positive

INPUT: The book is fabulous, but not in the condition i was lead to believe it was in. I thought i was buying a good used copy, what i got is torn cover and some kind of humidity damaged book. I give 5 stars for the book, 2 stars for the condition.
OUTPUT: neutral

INPUT: The book is very informative, with great tips and tricks about how to travel as well as what the locations are about which is both it's good and bad aspect. It gives so much interesting context, it may be overly insightful. For the person who must know everything, this is great. For the person who has no idea. Googling will suffice.
OUTPUT: neutral

INPUT: God loved them they were hot together like he said his half of a whole his Ying to his yang I loved everything about this book I hope X and Raven stay together and get only stronger together one isn’t the other without the other they need each other loved this book it is dark but smoking
OUTPUT: positive

INPUT: Michener the philosopher of the 20th Century clothed as a novelist. In an engaging style, tantalizingly follows the life of a Jew, an Arab, and an American Catholic at an archeological dig in Israel to tell the painful history of modern Judaism. Somehow he finds hope for both Israel, Jew, Arab, and in an amazing way Palestine.
OUTPUT: positive

INPUT: Holy Crap what a Cliffy! Loved this book from beginning to end and is my absolute favorite so far! Can’t wait for book 4!
OUTPUT: positive

INPUT: What a wonderful first book in a new series. I love all of Ms. Kennedy’s books and I eagerly one clicked this one. It has engaging characters, a strong storyline and hot encounters. I really enjoyed it.
OUTPUT: positive

INPUT: Interesting from the very beginning. Loved the characters, they really brought the book to life. Would like to read more by this author.
OUTPUT:


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task.


INPUT: Product was not to my liking seemed diluted to other brands I have used, will not buy again. Sorry
OUTPUT: negative

INPUT: Very poorly packaged. The glasses banged each other. Should have been bubble wrapped. So bummed that I can’t use these for a party tonight!
OUTPUT: negative

INPUT: Mango butter was extremely dry upon delivery.
OUTPUT: negative

INPUT: I was very disappointed in this item. It is very soft and not chewy. It falls apart in your hand. My dog eats them but I prefer a more chewy treat for my dog.
OUTPUT: negative

INPUT: The book is fabulous, but not in the condition i was lead to believe it was in. I thought i was buying a good used copy, what i got is torn cover and some kind of humidity damaged book. I give 5 stars for the book, 2 stars for the condition.
OUTPUT: neutral

INPUT: I've been using this product with my laundry for a while now and I like it, but I had to return it because it wasn't packaged right and everything was damaged.
OUTPUT: negative

INPUT: Half of the pads were dried out. The others worked great!
OUTPUT: neutral

INPUT: It arrived broken. Not packaged correctly.
OUTPUT: negative

INPUT: Im not sure if its just this sellers stock of this product or what but the first order was no good, each bottle had mold and clumps in the bottle and usually companies will put a couple of metal beads in a bottle to aid in the mixing but these had a rock in it... like a rock off the ground. I decided to replace the item, same seller, and once again they were all clumpy and gross... I attached a photo. I wouldnt buy these, at least not from this seller.
OUTPUT: negative

INPUT: I dislike this product it didnt hold water came smash in a bag and i just thow it in the trash
OUTPUT: negative

INPUT: It was dried out when I opened package. Was very disappointed with this product.
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task.


INPUT: It worked for a week. My husband loved it. And then all of the sudden it won't charge or turn on. It just stopped working.
OUTPUT: negative

INPUT: I saw this and thought it would be good to store the myriad of batts that I have. You must know that this is made to hang on the wall. The lid does not lock down in any way it just hangs lose and bangs into the Size C batts. You can lay it flat but remember the lid does not in any way hold the batteries from falling out if you turn it to the side, Now for me the biggest disappointment is that there are no slots for the batteries that use the most, the CR 123 batts. I rate it just barely useful. I should have read more carefully the description. It is too much trouble to return it so I'll keep it and buy smaller cases with locking lids
OUTPUT: neutral

INPUT: Quality is just okay. Magnet on the back is strong and it's nice its detachable but the case around the phone isn't very protective and very flimsy. You get what you pay for.
OUTPUT: neutral

INPUT: Works very well. Easy to set alarms, and time. The snooze/backlight function is pretty neat too. The dim back light is also nice so that you can actually read the time in the dark.
OUTPUT: positive

INPUT: Works great, bought a 2nd one for my son's dog. I usually only put them on at night and it stopped the barking immediately. Battery lasted a month. Used a little duct tape to keep the collar at the right length.
OUTPUT: positive

INPUT: Love the humor and the stories. Very entertaining. BOL!!!
OUTPUT: positive

INPUT: Says it's charging but actually drains battery. Do not buy not worth the money.
OUTPUT: negative

INPUT: So far my daughter loves it. She uses it for school backpack. As far as durable, we just got it, so we will have to see.
OUTPUT: positive

INPUT: Works good but wears up fast.
OUTPUT: neutral

INPUT: Looks good. Clasp some times does not lock completely and the watch falls off. One time it fell off and the back cover popped off. I do get lots of compliments of color combination.
OUTPUT: neutral

INPUT: Works great and the picture is good, but it doesn't hold a battery long at all. I actually have to plug it in every night once I lay down or it won't stay charged.
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task.


INPUT: This is the second one of these that I have purchased. It is an excellent platform for a foam or conventional mattress. It is totally sturdy, and looks nice. I highly recommend it. There are many frames out there that will cost you much more, but this does the trick.
OUTPUT: positive

INPUT: These little lights are awesome. They put off a nice amount of light. And you can put them ANYWHERE! I have put one in the pantry. Another in my linen closet. Another one right next to my bed for when I get up in the middle of the night. Have only had them about a month but so far so good!
OUTPUT: positive

INPUT: I love the curls but the hair does shed a little; it has been a month; curls still looks good; I use mousse or leave in conditioner to keep curls looking shiny; hair does tangle
OUTPUT: neutral

INPUT: Whoever packed this does not care or has a lot to learn about dunnage.
OUTPUT: negative

INPUT: Love this coverup! It’s super thin and very boho!! Always getting compliments on it!
OUTPUT: positive

INPUT: We loved these sheets st first but they have proven to be poor quality with rips at seams and areas of obvious wear from very rare use on our bed. Very disappointed. Would NOT recommend.
OUTPUT: negative

INPUT: Had three weeks and corner grommet ripped out
OUTPUT: negative

INPUT: Idk what is in these pads but they gave my nips some problems. When I nursed my baby and folded these down the adhesion would get all wonky and end up sticking to me. I love how thin they are but I’ve never have had problems with nursing pads like I did with these
OUTPUT: neutral

INPUT: Great hold and strength on the magnet. Can be easily maneuvered to fit your needs for holding curtains back.
OUTPUT: positive

INPUT: I have this installed under my spa cover to help maintain the heat. My spa is fully electric (including the heater), and this has done a good job reducing my overall electric bill by about 15% - 20% each month since last November. Quality is holding up fine, but it's out of the sun since it's under the spa cover. (Sorry, can't comment on what the longevity would be in the full sun.)
OUTPUT: positive

INPUT: Bought this item not even three months ago and am already starting to have problems. The steal slates to support the mattress (as advertised NO BOX SPRING NEEDED) does in fact need that extra layer of support. I am currently using about 7 blankets underneath my mattress for support. However my bed does stay in place, there is storage underneath like I needed and all around is a good product. But if you do plan on buying this item make sure you have the extra support for your mattress!!!
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task.


INPUT: Corner of magnet board was bent ... would like new one sent will not adhere to fridge on the corner
OUTPUT: neutral

INPUT: The description of this product indicated that it would have a cosmetic flaw only. This pendant is missing the socket. There is no place to put the light bulb.
OUTPUT: negative

INPUT: Bought this Feb 2019. Its already wore down and in need of replacement. I dont recommend one purchase this unless its jus for looks.
OUTPUT: negative

INPUT: After 5 months the changing rainbow light has stopped functioning. Still works as an oil diffuser at least. It was cheap so I guess that's what you get!
OUTPUT: neutral

INPUT: I thought it was much bigger, it's look like a new born baby ear ring.
OUTPUT: neutral

INPUT: The teapot came with many visible scratches on it. After repeated efforts to contact the seller, they have simply ignored requests to replace or refund money.
OUTPUT: negative

INPUT: The screen protector moves around and doesn't stick so it pops off or slides around
OUTPUT: negative

INPUT: Took a chance on a warehouse deal and lost. It said like new minor cosmetic on front turned out to be stickers on front and a broken speaker Connection in the back making Channel 1 useless.
OUTPUT: negative

INPUT: Spend a few dollars more and get one that works.
OUTPUT: negative

INPUT: Need better packaging. Rose just wiggles around in the box. Bouncing and damaging.
OUTPUT: neutral

INPUT: Corner of pop socket is faded I would like a new one!
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task.


INPUT: My dog loves this toy, I haven't seen hear more thrill with any other toy, for the first three days, which is how long the squeaker lasted. She is not a heavy chewer, and in one of her "victory walks" after retrieving the ball, the squeaker was already gone. Apart from that it is my best investment
OUTPUT: neutral

INPUT: Very cheaply made, its not worth your money, ours came already broken and looks like it's been played with, retaped, resold.
OUTPUT: negative

INPUT: Maybe it's just my luck because this seems to happen to me with other products but the motor broke in 2 weeks. That was a bummer. I liked it for the 2 weeks though!
OUTPUT: neutral

INPUT: Works great, bought a 2nd one for my son's dog. I usually only put them on at night and it stopped the barking immediately. Battery lasted a month. Used a little duct tape to keep the collar at the right length.
OUTPUT: positive

INPUT: We bought it in hopes my son would stop sucking his thumb. He doesn't suck it when it's on but when it's off for eating, bathing, washing hands... he will still do it. We are now going to try the nail polish with bitter taste. This is a good idea, my son just needs something stronger to beat it.
OUTPUT: neutral

INPUT: Way to sensitive turns on and off 1000 times a night I guess it picks up bugs or something
OUTPUT: negative

INPUT: my expectations were low for a cheap scale. they were not met, scale doesnt work. popped the cover off the back to put a battery in and the wires were cut and damaged. wouldn't even turn on. sending it back. product is flimsy and cheap, spend 20 extra bucks on a better brand or scale.
OUTPUT: negative

INPUT: Huge disappointment box was all messed up and toy was broken
OUTPUT: negative

INPUT: Quality was broken after 3rd use. I had a bad experience with this lost voice control.
OUTPUT: negative

INPUT: The piano is great starters! It finds your child’s inner artistic ability and musical talent. It develops a good hand-eye coordination. The piano isn’t only a play toy, but it actually works and allows your child to play music at an early age. If you want your child to be a future pianist, you should try this product out! Very worth the money!
OUTPUT: positive

INPUT: After 5 minutes of supervised play, the motor started making high pitched terrible screeching noises. Don't buy unless you have a tiny, useless little rat of a dog. Wasted $18.00
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task.


INPUT: Works great, bought a 2nd one for my son's dog. I usually only put them on at night and it stopped the barking immediately. Battery lasted a month. Used a little duct tape to keep the collar at the right length.
OUTPUT: positive

INPUT: few cables not working, please reply what to do?
OUTPUT: neutral

INPUT: These are very fragile. I have a cat who is a bit rambunctious and sometimes knocks my phone off my nightstand while it's plugged in. He managed to break all of these the first or second time he did that. I'm sure they're fine if you're very careful with them, but if whatever you're charging falls off a table or nightstand while plugged in, these are very likely to stop working quickly.
OUTPUT: negative

INPUT: When I received this product, I took the tracker out of the package and plugged it in in order to charge it-it never turned on! I did that was suggested, but to no avail!
OUTPUT: negative

INPUT: My dog ,a super hyper Yorkie, wouldn't eat these. Didn't like the smell of them and probably didn't like the taste. I did manage to get them down him for 3 days to see if it would help him . The process of getting them down him was traumatic for him and me. They did not seem to have any effect on him one way or another , other than the fact that he didn't like them and didn't want to eat them. I ended up throwing them away. Money down the drain. Sorry, I can't recommend them.
OUTPUT: negative

INPUT: We return the batteries and never revive a refund
OUTPUT: negative

INPUT: It works okay for listening to music with headphones but never works when I'm trying to use it for a call. Just splurge on the real product from Apple.
OUTPUT: neutral

INPUT: When i opened the package 2 of them were broken. Very disappointing
OUTPUT: negative

INPUT: Half of the pads were dried out. The others worked great!
OUTPUT: neutral

INPUT: This charger is awesome!!!
OUTPUT: positive

INPUT: I had to return them. They said they worked to recharge dog bark collars, but neither cord plugged into different USB outlets charged the collar.
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task.


INPUT: ordered and never received it.
OUTPUT: negative

INPUT: To me this product just does not work. Decided to give this a try based on the great reviews this product has. I used it for about two weeks and just did not feel any extra energy nor anything else. Obviously the seller has a good system, maybe even a little scam going on, give me a 5 star review and we will send you a free one. Not saying this will happen to everyone, but these were my results. Happy shopping!
OUTPUT: negative

INPUT: I recieved a totally different product than I ordered (pictured) and I see that I cannot return it !?! I give them one star just because I'm tryin to be nice. I ordered these black hats for a christmas project that I am doin with my 5 yr old son for his classroom and now I'm afraid to even try to reorder them again in fear that I'll recieve another different product.
OUTPUT: negative

INPUT: Product was not to my liking seemed diluted to other brands I have used, will not buy again. Sorry
OUTPUT: negative

INPUT: I have never had a bad shipment of these and my yard is full of them, this last shipment has one strand that won't work at all and the other strand only works on flash, i'm definitely afraid to order any more of them.
OUTPUT: negative

INPUT: Ordered this product twice and was sent the wrong product twice.
OUTPUT: neutral

INPUT: It will not turn on. It was a gift and the person called and said it does not work. It won't turn on. I would like to send back and get either another or my money back.
OUTPUT: negative

INPUT: Never receive my cases and never answer
OUTPUT: negative

INPUT: Help..... I ordered and paid for one and received 3. How do we handle this?? Don’t publish.... just answer
OUTPUT: neutral

INPUT: Zero stars!!!! Scam company DO NOT BUY FROM THEM!!!
OUTPUT: negative

INPUT: NEVER RECEIVE THIS PRODUCT EVEN AFTER CONTACTING THE SELLER MORE THAN ONCE
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task.


INPUT: The product did not work properly, after having it installed the check engine light came back on
OUTPUT: negative

INPUT: For the money, it's a good buy... but the fingerprint ID just doesn't work very good. After several attempts, it would not allow me to register my fingerprint. So... I just use the key to lock and unlock the safe, and that's not a problem. If you want something with the ability to open with your fingerprint, you'll need to spend a bit more, but if fingerprint id isn't something you absolutely need to have, then this safe is for you.
OUTPUT: neutral

INPUT: The packaging of this product was terrible. Just the device with no instructions in a box with no bubble wrap. Device rolling around in a box 3x’s it’s size. No order slip.
OUTPUT: neutral

INPUT: The battery covers screw stripped out the first day on both cars I purchased for Christmas.
OUTPUT: negative

INPUT: I ordered green but was sent grey. Bought it to secure outside plants/shrubs to wooden poles. Wrong color but I'll make it work.
OUTPUT: neutral

INPUT: Looks good. Clasp some times does not lock completely and the watch falls off. One time it fell off and the back cover popped off. I do get lots of compliments of color combination.
OUTPUT: neutral

INPUT: It doesn’t stick to my car and it’s to big
OUTPUT: negative

INPUT: They sent HyClean which is NOT for the US market therefore this is deceptive marketing
OUTPUT: negative

INPUT: I bought this because my original charger finally gave up on me. This one won’t stay inside my phone. The charging piece won’t stay inside my phone.
OUTPUT: neutral

INPUT: The item ordered came exactly as advertised. I highly recommend this vendor and would order from them again.
OUTPUT: positive

INPUT: I bought this from Liberty Imports and it was not secured in the packaging and did not work. I returned it for another one and with the same result. The second one had markings on the car that suggest it was used before.
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task.


INPUT: Picture was incredibly misleading. Shown as a large roll and figured the size would work for my project, then I received the size of a piece of paper.
OUTPUT: negative

INPUT: This door hanger is cute and all but its a bit small. My main complain is that, i cannot close my door because the bar latched to the door isnt flat enough.. Worst nightmare.
OUTPUT: negative

INPUT: The child hat is ridiculously small. It was not even close to the right size for my 3 year old son. I checked the size, and it wouldn't have even fit him as a newborn. I liked the adult hat but it is not sold separately. The seller was rude and unhelpful when I contacted them directly through Amazon. The faux fur pom was either already torn or tore when I was trying on the hat. See the attached photograph. The pom came aprt, exposing the inner fluff.
OUTPUT: negative

INPUT: It doesn’t stick to my car and it’s to big
OUTPUT: negative

INPUT: The graphics were not centered and placed more towards the handle than what the Amazon image shows. Only the person drinking can see the graphics. I will be returning the item.
OUTPUT: negative

INPUT: I ordered a screen for an iPhone 8 Plus, but recevied product that was for a different phone. A significantly smaller phone.
OUTPUT: negative

INPUT: Ordered this for a Santa present and Christmas Eve noticed it came broken!
OUTPUT: negative

INPUT: The 8 year old nephew said he wanted this for his birthday. I felt it was a bit much for a toy but he caught me on a good day. Come to find out it's a fragile collectible so the nephew lost all the small parts the moment he opened it. I guess it's adequate for collectors that want detail on such a small figurine.
OUTPUT: neutral

INPUT: Product received was not the product ordered. It was a different set without a kettle and their were ants crawling in and out of the box so i didnt even open it but the picture shows a different item with no kettle. I was sent the same thing as a replacement. Fast shipping though.
OUTPUT: negative

INPUT: The dress looked nothing like the picture! It was short, tight and cheap looking and fitting!
OUTPUT: negative

INPUT: This Christmas window sticker receive very small, not look like the picture.z
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task.


INPUT: Just received it and so far so good. No issues, did a great job. For a family on a budget trying to waste as least food as possible, it is a great investment and it was very affordable too.
OUTPUT: positive

INPUT: They are so comfortable that I don't even know I am wearing them.
OUTPUT: positive

INPUT: These bowls are wonderful. And the only reason I didn't give them a 5 is because I ordered RED bowls and received ORANGE bowls.
OUTPUT: neutral

INPUT: They work really well for heartburn and stomach upset. But taking a couple stars off as capsules are poor quality and break. I lost over 30 in a bottle of 120 as they leaked. Powder ended up bottom of bottle.
OUTPUT: neutral

INPUT: Perfect size and good quality. Great for cupcakes
OUTPUT: positive

INPUT: I really love this product. I love how big it is compare to others diaper changing pads. I love the extra pockets and on top of that you get a free insulated bottle bag. All of that for an amazing price.
OUTPUT: positive

INPUT: Awesome little pillow! Made it easy to transport on my motorcycle.
OUTPUT: positive

INPUT: I like the price on these. Although they are ridiculously hard to open due to the 2 lines to lock it. Also they don’t stand up straight.
OUTPUT: neutral

INPUT: Works very well. Easy to set alarms, and time. The snooze/backlight function is pretty neat too. The dim back light is also nice so that you can actually read the time in the dark.
OUTPUT: positive

INPUT: I was very disappointed in this item. It is very soft and not chewy. It falls apart in your hand. My dog eats them but I prefer a more chewy treat for my dog.
OUTPUT: negative

INPUT: I always meal prep so I got these for my lunchbox to take to work. Awesome value for the price and love that it comes with a carrier.
OUTPUT:


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task.


INPUT: I initially was impressed by the material quality of the headphones, but as I connected the headphones to listen to my song there was a problem. There is constantly this weird "old cable tv that has lost it's signal sound" in the background when trying to listen to anything. Pretty disappointed.
OUTPUT: neutral

INPUT: my expectations were low for a cheap scale. they were not met, scale doesnt work. popped the cover off the back to put a battery in and the wires were cut and damaged. wouldn't even turn on. sending it back. product is flimsy and cheap, spend 20 extra bucks on a better brand or scale.
OUTPUT: negative

INPUT: seems okay, weaker than i thought it be be and too tight
OUTPUT: neutral

INPUT: Quality was broken after 3rd use. I had a bad experience with this lost voice control.
OUTPUT: negative

INPUT: The filters arrived on time. The quality is as expected.
OUTPUT: positive

INPUT: Love them. have to turn off when not in use tho
OUTPUT: positive

INPUT: This is a nice headset but I had a hard time trying to switch the language on it to English
OUTPUT: neutral

INPUT: Perfect for Bose cord replacements, or for converting to Bluetooth using a small receiver with an Aux In input.
OUTPUT: positive

INPUT: Absolutely terrible. I ordered these expecting a quality product for 10 dollars. They were shipped in an envelope inside of another envelope all just banging against each other while on their way to me from the seller. 3 of them are broken internally, they make a rattle noise as the ones that work do not. I will be requesting a refund for these and filing a complaint with Amazon. Don't purchase unless you like to buy broken/damaged goods. Completely worthless.
OUTPUT: negative

INPUT: Overall I liked the phone especially for the price. The durability is my main issue I dropped the phone once onto a wood floor from about 12 inches and the screen cracked after having it for about 2 weeks. Otherwise it seemed to be a decent phone. It had a few little quirks that took a little getting used to but otherwise I think it wood be a good phone if it was more durable.
OUTPUT: neutral

INPUT: The low volume is quite good just a little louder than expected but that’s okay
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task.


INPUT: These little lights are awesome. They put off a nice amount of light. And you can put them ANYWHERE! I have put one in the pantry. Another in my linen closet. Another one right next to my bed for when I get up in the middle of the night. Have only had them about a month but so far so good!
OUTPUT: positive

INPUT: For some reason, unit running led, was not blinking, so could not judge its working condition. Will review again, when it becomes fully operational.
OUTPUT: neutral

INPUT: Cheap, don’t work. Very dim. Not worth the money.
OUTPUT: negative

INPUT: I have never had a bad shipment of these and my yard is full of them, this last shipment has one strand that won't work at all and the other strand only works on flash, i'm definitely afraid to order any more of them.
OUTPUT: negative

INPUT: Good Quality pendant and necklace, but gems are a little lacking in color.
OUTPUT: neutral

INPUT: I had bought two separate pairs for two dodges that I own and both pairs went out withing the year best to get warranty on them but they had good light to them.
OUTPUT: neutral

INPUT: Lamp works perfectly for my chicks
OUTPUT: positive

INPUT: few cables not working, please reply what to do?
OUTPUT: neutral

INPUT: These are very fragile. I have a cat who is a bit rambunctious and sometimes knocks my phone off my nightstand while it's plugged in. He managed to break all of these the first or second time he did that. I'm sure they're fine if you're very careful with them, but if whatever you're charging falls off a table or nightstand while plugged in, these are very likely to stop working quickly.
OUTPUT: negative

INPUT: So pretty...but the first time I unplugged it, the glass top came off of the base. There’s a plastic ring attached to the bottom of the glass part. It has notches - supposedly to allow you to twist it onto the nightlight base. You’d need to be able to do that in order to replace the bulb. I’ll try gorilla glue or something to see if the ring can be securely affixed to the glass. Surprisingly poor design for something so beautiful.
OUTPUT: negative

INPUT: Lights are not very bright
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task.


INPUT: Looks good. Clasp some times does not lock completely and the watch falls off. One time it fell off and the back cover popped off. I do get lots of compliments of color combination.
OUTPUT: neutral

INPUT: These make it really easy to use your small keyboard on your phone. Would recommend to everyone.
OUTPUT: positive

INPUT: So far my daughter loves it. She uses it for school backpack. As far as durable, we just got it, so we will have to see.
OUTPUT: positive

INPUT: I like these storage bins overall. The color of the lining inside wasn’t expected, it shows a light brown color in the photo but it’s pretty dark. I would have preferred the lining inside to match the outside, tan or grey. Other than that they are cute and look as pictured.
OUTPUT: neutral

INPUT: Comfortable and worth the purchase
OUTPUT: positive

INPUT: Cheap material. Broke after a couple month of usage and I emailed the company about it and never got a response. There are much better phone cases out there so don't waste your time with this one.
OUTPUT: negative

INPUT: Works very well. Easy to set alarms, and time. The snooze/backlight function is pretty neat too. The dim back light is also nice so that you can actually read the time in the dark.
OUTPUT: positive

INPUT: The quality is meh!! (treads are hanging out from places), however the colors are not the same (as seen on the display) :(
OUTPUT: neutral

INPUT: It’s ok, buttons are kind of confusing and after 4 months the power button is stuck and we can no longer turn it on or off. Sorta disappointed in this purchase.
OUTPUT: neutral

INPUT: This case is ok, but not exceptional - a 3.5 or 4 max. The issue is there are fewer cases available for the Tab A 10.1 w S pen. Of those the Gumdrop is about the best, but it has some serious issues. The case rubber (silicone, whatever) is very smooth and slick, and doesn't give you a lot of confidence when hold the Tab with one hand. The Tab A is heavy so if your laying down watching a video the case slips in your hand so you have to make frequent adjustments. I had to remove the clear plastic shield that covers the screen because it impaired the touch screen operation. This affected the strength of the 1-piece plastic frame the surrounds the Tab A, so now the rubber outer cover feels really flexible and flimsy. Lastly, they made it difficult to get to the S pen. The S pen is in the back bottom right hand corner of the Tab A, and they made the little rubber flap that protects corner swing backwards for access to the S pen. This means in order to get the S pen out, the flap has to swing out 180 degrees. This is really awkward and hard to do with one hand. This case does a good job protecting my Tab A, but with these serious design flaws I can't recommend it unless you have an S pen, then you don't have much choice.
OUTPUT: neutral

INPUT: Perfect color and really cool lighted keyboard, but it dents really easily just being in a backpack as we've only used it like 2 weeks and it's already dented. No instructions given to set up bluetooth or change lighted keyboard options or brightness. Had to look up how to do such using previous customer reviews (from their calls to customer service). Expected it to be more durable for a forty-five dollar+ case. Disappointed it dents so easily.
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task.


INPUT: The piano is great starters! It finds your child’s inner artistic ability and musical talent. It develops a good hand-eye coordination. The piano isn’t only a play toy, but it actually works and allows your child to play music at an early age. If you want your child to be a future pianist, you should try this product out! Very worth the money!
OUTPUT: positive

INPUT: Lots of lines, not easy to color. Definitely not for kids or elderly .
OUTPUT: neutral

INPUT: This is a well made device, much higher quality than the three previous cat feeders we've tried. The iOS app works well although the design is a little confusing at first. The portion control is good and the feeder mechanism has worked reliably. The camera provides a clear picture and it's great to be able to check remotely that the cat really is getting fed. Setup was relatively easy.
OUTPUT: positive

INPUT: She loved very much as a birthday gift and also said it will come in handy for all kinds of outings.
OUTPUT: positive

INPUT: I really love this product. I love how big it is compare to others diaper changing pads. I love the extra pockets and on top of that you get a free insulated bottle bag. All of that for an amazing price.
OUTPUT: positive

INPUT: This is a great little portable table. Easy to build and tuck away in a corner. One big flaw is that the tabletop comes off easily. Adjusting the height becomes a 2 hand job or else the top may come off when pressing the lever.
OUTPUT: neutral

INPUT: My cousin has one for his kid, my daughter loves it. I got one for my back yard,but not easy to find a good spot to hang it. After i cut some trees, now its prefect. Having lots of fun with my daughter. Nice swing, easy to install.
OUTPUT: positive

INPUT: Easy to clean. Great length for my toddler!
OUTPUT: positive

INPUT: So far my daughter loves it. She uses it for school backpack. As far as durable, we just got it, so we will have to see.
OUTPUT: positive

INPUT: My puppies loved it!
OUTPUT: positive

INPUT: We have enjoyed this tray. It lets my sons color and play with their small cars/construction vehicles while in the car. It also allows them to color and keep busy. It has a cup holder that is easier for my 2 1/2 year old to reach than the one that comes with his car seat. Easy to install and also take off when not in use.
OUTPUT:


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task.


INPUT: I don’t like it because i ordered twice they sent me the one expired. No good .I don’t want to buy anymore.
OUTPUT: negative

INPUT: They work really well for heartburn and stomach upset. But taking a couple stars off as capsules are poor quality and break. I lost over 30 in a bottle of 120 as they leaked. Powder ended up bottom of bottle.
OUTPUT: neutral

INPUT: Works as it says it will!
OUTPUT: positive

INPUT: I give this product zero stars. The bottle appears very old as if it has been sitting on a shelf in the sun. The expiration date is May 2020.
OUTPUT: negative

INPUT: this item and the replacement were both 6 weeks past the expiration date
OUTPUT: negative

INPUT: Awesome product. Have used on my hands several times since I received the product. My cuticles have softened and my hands are no longer dry.
OUTPUT: positive

INPUT: Love them. have to turn off when not in use tho
OUTPUT: positive

INPUT: Great product but be aware of return policy.
OUTPUT: neutral

INPUT: Cheap, don’t work. Very dim. Not worth the money.
OUTPUT: negative

INPUT: Works very well. Easy to set alarms, and time. The snooze/backlight function is pretty neat too. The dim back light is also nice so that you can actually read the time in the dark.
OUTPUT: positive

INPUT: Works good; Never mind expire date, those are contrived.
OUTPUT:


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task.


INPUT: Made a money gift fun for all
OUTPUT: positive

INPUT: Expensive for a kids soap
OUTPUT: neutral

INPUT: It will do the job of holding shoes. It's not glamorous, but it holds shoes and stands in a closet. You will need help with the shelving assembly as it is a two person job.
OUTPUT: neutral

INPUT: Just doesn't get hot enough for my liking. Its stashed away in the drawer.
OUTPUT: neutral

INPUT: The one star is for UPS. I wish I had been home when delivery was made because I would have refused it. I have initiated return procedures, so hopefully when seller gets this mess back I will receive my $60 in a timely manner.
OUTPUT: negative

INPUT: Worst fucking item I ever bought on Amazon I had a headache for 2 days on this bullshit I thought I had to go to the emergency room please don't but real costumer
OUTPUT: negative

INPUT: Fits great kinda expensive but it’s good quality
OUTPUT: positive

INPUT: This was very easy to use and the cookies turned out great for the Boy Scout Ceremony!
OUTPUT: positive

INPUT: Very cheap a dollar store item and u can not sweep all material into pan as the edge is not beveled correctly
OUTPUT: negative

INPUT: Very good price for a nice quality bracelet. My sister loved her birthday present! She wears it everyday.
OUTPUT: positive

INPUT: Just like you would get at the dollar store.
OUTPUT:


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task.


INPUT: Product was not to my liking seemed diluted to other brands I have used, will not buy again. Sorry
OUTPUT: negative

INPUT: Quality is just okay. Magnet on the back is strong and it's nice its detachable but the case around the phone isn't very protective and very flimsy. You get what you pay for.
OUTPUT: neutral

INPUT: I am returning product, I’ve been getting the same Wella Brilliance shampoo for years...the darker and cheaper one circled, and the last Two deliveries were the lighter bottle which smells nothing like the product I want and have been using for nearly 10 years. Extremely dissatisfied, why would they have two products and two prices and send the one you DONT PICK????
OUTPUT: negative

INPUT: Good quality of figurine features
OUTPUT: positive

INPUT: cheap and waste of money
OUTPUT: negative

INPUT: The filters arrived on time. The quality is as expected.
OUTPUT: positive

INPUT: High quality product. I prefer the citrate formula over other types of magnesium
OUTPUT: positive

INPUT: Quality was broken after 3rd use. I had a bad experience with this lost voice control.
OUTPUT: negative

INPUT: They sent HyClean which is NOT for the US market therefore this is deceptive marketing
OUTPUT: negative

INPUT: Im not sure if its just this sellers stock of this product or what but the first order was no good, each bottle had mold and clumps in the bottle and usually companies will put a couple of metal beads in a bottle to aid in the mixing but these had a rock in it... like a rock off the ground. I decided to replace the item, same seller, and once again they were all clumpy and gross... I attached a photo. I wouldnt buy these, at least not from this seller.
OUTPUT: negative

INPUT: Product is of lower quality
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task.


INPUT: very cute style and design, but tarnished after 1 wear!
OUTPUT: neutral

INPUT: Hair is perfect for low temp curling but not realistic. This is a tiny head from the movie Beatle juice . Not for advanced cutting class
OUTPUT: neutral

INPUT: As a hard shell jacket, it’s pretty good. I ordered the extra large for a skiing trip. It comes small so order a size bigger then normal. I can not use the fleece liner because it is too small. The hard shell is not water proof. I live in the Pacific Northwest and this is not enough to keep you dry. I really like the look of this jacket too.
OUTPUT: neutral

INPUT: Very good price for a nice quality bracelet. My sister loved her birthday present! She wears it everyday.
OUTPUT: positive

INPUT: Perfect brush, small radius, and good quality.
OUTPUT: positive

INPUT: What a really great set of acrylics. My daughter has been painting with them since they came in. The colors come in a wide range of vibrant colors that have a smooth consistency. These paints are packed in aluminum tubes which allows the paint to not dry or crack over time.
OUTPUT: positive

INPUT: Perfect size and good quality. Great for cupcakes
OUTPUT: positive

INPUT: The dress looked nothing like the picture! It was short, tight and cheap looking and fitting!
OUTPUT: negative

INPUT: Arrived today and a bit disappointed. Great color and nice backing, BUT not thick and plush for the high price. Except fot the backing, you can find the same thickness at your local Walmart for a lot less money.
OUTPUT: neutral

INPUT: The glitter gel flows, its super cute.
OUTPUT: positive

INPUT: Very Pretty, but doesn't stand out well without a solid base coat. Great for little girls who want unicorn/fairy nails and when you don't want a bright color.
OUTPUT:


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task.


INPUT: Range is not too great
OUTPUT: neutral

INPUT: This door hanger is cute and all but its a bit small. My main complain is that, i cannot close my door because the bar latched to the door isnt flat enough.. Worst nightmare.
OUTPUT: negative

INPUT: I purchased this for my wife in October, 2017. At the time, we were in the middle of relocating and living in a hotel. I couldn't get this scale to connect to the Wifi in the hotel. I decided to wait until we moved into our home and I could set up my own Wifi system. March 2018- I have set up my Wifi system and this scale still won't connect. Every time I try, I get the error message. Even when I am 10' away from the Wifi unit. I followed the YouTube setup video with no success. When I purchased the unit, I thought it would connect directly to my wife's phone (like Bluetooth). Instead, this scale uses the Wifi router to communicate to the phone. This system is limited to the router connection...which is usually not close to the bedroom unlike a cell phone! I wouldn't recommend this scale to anyone because of the Wifi connection. Instead, please look at systems that use Bluetooth for communication. I am replacing this with a Bluetooth connection scale.
OUTPUT: negative

INPUT: These are awesome! I just used them on my 12 ft Christmas tree so I could get it out the door. So easy to use that I’m going to buy another pair.
OUTPUT: positive

INPUT: This product worked just as designed and was very easy to install.The setup is so simple for each load on the trailer.I would def recommend this item for anyone needing a break controller.
OUTPUT: positive

INPUT: We had this in shower area where it only got moisture, no direct water. First the suction kept failing. Then the alarm mysteriously kept going off. Replaced batteries, No improvement. Couldn't turn it off or reset it. Garbage.
OUTPUT: negative

INPUT: So small can't even see it in my garage i though was a lil bigger
OUTPUT: negative

INPUT: Great ideas in one device. One of those devices you pray you’ll never need, but I’m pretty sure are up for the task.
OUTPUT: positive

INPUT: I bought 2 and both remotes stopped working first 5 min of useing them
OUTPUT: negative

INPUT: Works very well. Easy to set alarms, and time. The snooze/backlight function is pretty neat too. The dim back light is also nice so that you can actually read the time in the dark.
OUTPUT: positive

INPUT: The range is terrible on these units. I have to pull all the way into the driveway before it will activate the door. We do like the size and that they are keychains.
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task.


INPUT: ordered and never received it.
OUTPUT: negative

INPUT: Received this file box last night, and begin to put my documents in as soon as I received it. It is very good for me as my husband and I get a lot paperwork to save. The colorful tags make it easier to find what I want. The material is strong. I finally get something to help with the messy drawer! Love this product! I believe I will buy another one when this one is full!
OUTPUT: positive

INPUT: I recieved a totally different product than I ordered (pictured) and I see that I cannot return it !?! I give them one star just because I'm tryin to be nice. I ordered these black hats for a christmas project that I am doin with my 5 yr old son for his classroom and now I'm afraid to even try to reorder them again in fear that I'll recieve another different product.
OUTPUT: negative

INPUT: DON'T!!! Mine stopped playing 3 days after return deadline ended.
OUTPUT: negative

INPUT: We return the batteries and never revive a refund
OUTPUT: negative

INPUT: I bought the surprise shirt for grandparents, but was sent one for an aunt. I was planning on surprising them with this shirt tomorrow in a cute way, but now I have to postpone the get together until I receive the correct item sent hopefully right this time.
OUTPUT: negative

INPUT: Worst fucking item I ever bought on Amazon I had a headache for 2 days on this bullshit I thought I had to go to the emergency room please don't but real costumer
OUTPUT: negative

INPUT: It will not turn on. It was a gift and the person called and said it does not work. It won't turn on. I would like to send back and get either another or my money back.
OUTPUT: negative

INPUT: Fantastic buy! Computer arrived quickly and was well packaged. Everything looks and performs like new. I had a problem with a cable. I contacted the seller and they immediately sent me out a new one. I can't say enough good things about about this purchase and this computer. I will definitely use them again.
OUTPUT: positive

INPUT: Help..... I ordered and paid for one and received 3. How do we handle this?? Don’t publish.... just answer
OUTPUT: neutral

INPUT: Never got mine in the mail now that I’m seeing this! Wow. I’d like a full refund !
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task.


INPUT: I like this swim suit but it fits really small. I am a size 14 and per reviews that's what I ordered. It runs really small. Also a lot of mesh in the back and on the sides of this suit. Don't like that. its going back....sad
OUTPUT: negative

INPUT: I really love this product. I love how big it is compare to others diaper changing pads. I love the extra pockets and on top of that you get a free insulated bottle bag. All of that for an amazing price.
OUTPUT: positive

INPUT: So cute! And fit my son perfect so I’m not sure about an adult but probably would stretch.
OUTPUT: positive

INPUT: Really cute outfit and fit well. But, the two bows fell off the top the first time worn. The bows were glued on opposed to sewn.
OUTPUT: neutral

INPUT: Terrific fabric and fit through belly, hips and thighs, but apparently these should be worn with 3" heels, which is ridiculous for exercise/loungewear. (Yes I'm being sarcastic.) Seriously: these were at least 4" too long to be comfortable (let alone safe to walk in). Back they go, and I won't try again.
OUTPUT: neutral

INPUT: This is a knock off product. This IS NOT a puddle jumper brand float but a flimsy knock off instead. It is missing all stearns and puddle jumper branding on the arms. Do not buy!
OUTPUT: negative

INPUT: The black one with the tassels on the front and it looks pretty cute, perfect for summer. I have broad shoulders so the looseness was great for me but if you are more petit you might not love how oversized it can look (specially the sleeves). Please note, it does SHRINK after washing (not even drying) so beware!! Also, it is very short but cute nonetheless.
OUTPUT: neutral

INPUT: Fits great kinda expensive but it’s good quality
OUTPUT: positive

INPUT: The child hat is ridiculously small. It was not even close to the right size for my 3 year old son. I checked the size, and it wouldn't have even fit him as a newborn. I liked the adult hat but it is not sold separately. The seller was rude and unhelpful when I contacted them directly through Amazon. The faux fur pom was either already torn or tore when I was trying on the hat. See the attached photograph. The pom came aprt, exposing the inner fluff.
OUTPUT: negative

INPUT: As a hard shell jacket, it’s pretty good. I ordered the extra large for a skiing trip. It comes small so order a size bigger then normal. I can not use the fleece liner because it is too small. The hard shell is not water proof. I live in the Pacific Northwest and this is not enough to keep you dry. I really like the look of this jacket too.
OUTPUT: neutral

INPUT: Somehow a $30 swimsuit off of Amazon is super cute and fits great! I just had a baby and my boobs are huge, but this covered me and I felt super supported in it. It’s a great suit!
OUTPUT:


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task.


INPUT: Love this coverup! It’s super thin and very boho!! Always getting compliments on it!
OUTPUT: positive

INPUT: asian size is too small
OUTPUT: neutral

INPUT: Warped. Does not sit flat on desk.
OUTPUT: negative

INPUT: I was very disappointed in this item. It is very soft and not chewy. It falls apart in your hand. My dog eats them but I prefer a more chewy treat for my dog.
OUTPUT: negative

INPUT: BEST NO SHOW SOCK EVER! Period, soft, NEVER slips, and is a slightly thick sock. Not to thick though, perfect for running shoes too!
OUTPUT: positive

INPUT: Glass is extremely thin. Mine broke into a million shards. Very dangerous!
OUTPUT: neutral

INPUT: Pretty dam good cutters
OUTPUT: positive

INPUT: Much smaller than what I expected. The quality was not that great the paper in the lower end of the cup was ruined after first wash with the kids.
OUTPUT: neutral

INPUT: So cute! And fit my son perfect so I’m not sure about an adult but probably would stretch.
OUTPUT: positive

INPUT: Its good for the loose skin postpartum. I'm gonna use it for another waist trainer. Not tight enough.
OUTPUT: neutral

INPUT: Really, really thin.
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task.


INPUT: Just doesn't get hot enough for my liking. Its stashed away in the drawer.
OUTPUT: neutral

INPUT: Ordered these for a friend and he loved them!
OUTPUT: positive

INPUT: I have bought these cloths in the past, but never from Amazon. In contrast to previous purchases, these cloths do not absorb properly after the first wash. After washing they feel more like 'napkins'... very disappointed.
OUTPUT: negative

INPUT: My dog ,a super hyper Yorkie, wouldn't eat these. Didn't like the smell of them and probably didn't like the taste. I did manage to get them down him for 3 days to see if it would help him . The process of getting them down him was traumatic for him and me. They did not seem to have any effect on him one way or another , other than the fact that he didn't like them and didn't want to eat them. I ended up throwing them away. Money down the drain. Sorry, I can't recommend them.
OUTPUT: negative

INPUT: I can't wear these all day. Snug around the toes.
OUTPUT: neutral

INPUT: These sunglasses are GREAT quality, and super stylish. I didn't think I'd love any sunnies off of Amazon, but this was the first pair I took a chance on and I love them! Definitely a great buy!
OUTPUT: positive

INPUT: They’re cute and work well for my kids. Price is definitely great for kids sheets.
OUTPUT: positive

INPUT: Please do not buy this! I was so excited and I got one for me and my co worker because we freeze in our offices. It's so small and barely even heats up. One of them didn't even work at all!
OUTPUT: negative

INPUT: these were ok, but to big for the craft I needed them for. Maybe find something to use them on.
OUTPUT: neutral

INPUT: Absolutely terrible. I ordered these expecting a quality product for 10 dollars. They were shipped in an envelope inside of another envelope all just banging against each other while on their way to me from the seller. 3 of them are broken internally, they make a rattle noise as the ones that work do not. I will be requesting a refund for these and filing a complaint with Amazon. Don't purchase unless you like to buy broken/damaged goods. Completely worthless.
OUTPUT: negative

INPUT: I use to get these all the time. I missed them till I found them here. Do not like hot. These are perfect.
OUTPUT:


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task.


INPUT: This was very easy to use and the cookies turned out great for the Boy Scout Ceremony!
OUTPUT: positive

INPUT: Too big and awkward for your counter
OUTPUT: negative

INPUT: The one star is for UPS. I wish I had been home when delivery was made because I would have refused it. I have initiated return procedures, so hopefully when seller gets this mess back I will receive my $60 in a timely manner.
OUTPUT: negative

INPUT: They sent HyClean which is NOT for the US market therefore this is deceptive marketing
OUTPUT: negative

INPUT: Ordered these for my daughter as a Christmas present. When she opened the case 3 of the markers did not have the caps on and were completely dried out. She was very disappointed. She then starting testing all of them on a piece of paper, several of them began to run out of ink very quickly. Not happy with this product, tried to return, however these markets are an unreturnable item.
OUTPUT: negative

INPUT: Great must-have tool! A long time ago I was able to open some of my watches, but some were so tight, that it was almost impossible to avoid scratches. This tool turns this job into a few second fun.
OUTPUT: neutral

INPUT: I saw this and thought it would be good to store the myriad of batts that I have. You must know that this is made to hang on the wall. The lid does not lock down in any way it just hangs lose and bangs into the Size C batts. You can lay it flat but remember the lid does not in any way hold the batteries from falling out if you turn it to the side, Now for me the biggest disappointment is that there are no slots for the batteries that use the most, the CR 123 batts. I rate it just barely useful. I should have read more carefully the description. It is too much trouble to return it so I'll keep it and buy smaller cases with locking lids
OUTPUT: neutral

INPUT: Okay pool cue. However you can buy one 4 oz. lighter (21 oz,) for 1/3 the price of this 25 oz. cue. Not worth the extra money for the weight difference.
OUTPUT: neutral

INPUT: Great ideas in one device. One of those devices you pray you’ll never need, but I’m pretty sure are up for the task.
OUTPUT: positive

INPUT: Made a money gift fun for all
OUTPUT: positive

INPUT: Since the banks have or are doing away with coin counting machines, this is the next best thing. I can watch TV and get the coins wrapped in no time.
OUTPUT:


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task.


INPUT: Upsetting...these only work if you have a thin phone and or no phone case at all. I'm not going to take my phone's case (which isn't thick) off Everytime I want to use the stand. Wast of money. Don't buy if you use a phone case to protect your phone it's too thin.
OUTPUT: negative

INPUT: I found this stable and very helpful to get things off the floor, as well as to be able to store below and on top of. Nice that it's adjustable.
OUTPUT: positive

INPUT: Perfect, came with everything needed. God quality and fit perfectly. Much less then original brand.
OUTPUT: positive

INPUT: Needs a longer handle but that's my only complaint. Otherwise works well.
OUTPUT: neutral

INPUT: Works as it says it will!
OUTPUT: positive

INPUT: Please do not buy this! I was so excited and I got one for me and my co worker because we freeze in our offices. It's so small and barely even heats up. One of them didn't even work at all!
OUTPUT: negative

INPUT: I didn’t like that it was made out of plastic and that you had to put it together yourself.
OUTPUT: negative

INPUT: Product does not stick well came loose and less than 24 hours after installing did everything correctly but just didn’t work
OUTPUT: negative

INPUT: Bought this Feb 2019. Its already wore down and in need of replacement. I dont recommend one purchase this unless its jus for looks.
OUTPUT: negative

INPUT: This is a great little portable table. Easy to build and tuck away in a corner. One big flaw is that the tabletop comes off easily. Adjusting the height becomes a 2 hand job or else the top may come off when pressing the lever.
OUTPUT: neutral

INPUT: Does the job, but wish I had ordered the stand
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task.


INPUT: It will not turn on. It was a gift and the person called and said it does not work. It won't turn on. I would like to send back and get either another or my money back.
OUTPUT: negative

INPUT: It didn’t work at all. All the wax got stuck at the top and would never flow.
OUTPUT: negative

INPUT: One half stopped working after month of use
OUTPUT: negative

INPUT: To me this product just does not work. Decided to give this a try based on the great reviews this product has. I used it for about two weeks and just did not feel any extra energy nor anything else. Obviously the seller has a good system, maybe even a little scam going on, give me a 5 star review and we will send you a free one. Not saying this will happen to everyone, but these were my results. Happy shopping!
OUTPUT: negative

INPUT: For some reason, unit running led, was not blinking, so could not judge its working condition. Will review again, when it becomes fully operational.
OUTPUT: neutral

INPUT: Item was used/damaged when I received it. Seal on the box was broken so I checked everything before install and it looks like the power/data connections are burnt. Returning immediately.
OUTPUT: negative

INPUT: Never Received this hot little item
OUTPUT: negative

INPUT: Movie freezes up. Can't watch it. Doesn't work
OUTPUT: negative

INPUT: Doesn’t even work . Did nothing for me :(
OUTPUT: negative

INPUT: Maybe it's just my luck because this seems to happen to me with other products but the motor broke in 2 weeks. That was a bummer. I liked it for the 2 weeks though!
OUTPUT: neutral

INPUT: On first use it didn't heat up and now it doesn't work at all
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task.


INPUT: It arrived broken. Not packaged correctly.
OUTPUT: negative

INPUT: This is at least the 4th hose I've tried. I had high hopes, but the metal parts are cheap and it leaks from the connector. The "fabric??" of the hose retains water and stays wet for hours or days depending on how hot - or not - the weather is. I do not recommend this product.
OUTPUT: negative

INPUT: It didn’t work at all. All the wax got stuck at the top and would never flow.
OUTPUT: negative

INPUT: Maybe it's just my luck because this seems to happen to me with other products but the motor broke in 2 weeks. That was a bummer. I liked it for the 2 weeks though!
OUTPUT: neutral

INPUT: It will not turn on. It was a gift and the person called and said it does not work. It won't turn on. I would like to send back and get either another or my money back.
OUTPUT: negative

INPUT: 2 out of three stopped working after two weeks.! Threw them all in the trash. Don't waste your money
OUTPUT: negative

INPUT: never got it after a week when promised
OUTPUT: negative

INPUT: Product was not to my liking seemed diluted to other brands I have used, will not buy again. Sorry
OUTPUT: negative

INPUT: Bought this Feb 2019. Its already wore down and in need of replacement. I dont recommend one purchase this unless its jus for looks.
OUTPUT: negative

INPUT: did not work, spit out fog oil ,must have got a bad one
OUTPUT: negative

INPUT: The nozzle broke after a week and I reached out to the seller but got no response
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task.


INPUT: For the money, it's a good buy... but the fingerprint ID just doesn't work very good. After several attempts, it would not allow me to register my fingerprint. So... I just use the key to lock and unlock the safe, and that's not a problem. If you want something with the ability to open with your fingerprint, you'll need to spend a bit more, but if fingerprint id isn't something you absolutely need to have, then this safe is for you.
OUTPUT: neutral

INPUT: They were supposed to be “universal” but did not cover the whole seat of a Dodge Ram 97
OUTPUT: negative

INPUT: Great ideas in one device. One of those devices you pray you’ll never need, but I’m pretty sure are up for the task.
OUTPUT: positive

INPUT: I look fabulous with this glasses on, totally worth it! :D
OUTPUT: positive

INPUT: Not worth your time. PASS.
OUTPUT: negative

INPUT: This product does not work at all. I have tried it on two of my vehicles and it does not cover light scratches. Waste of money.
OUTPUT: negative

INPUT: So far my daughter loves it. She uses it for school backpack. As far as durable, we just got it, so we will have to see.
OUTPUT: positive

INPUT: The first guard may serve more as a learning curve. I do kinda prefer to use the ones that come with molding trays. This didn't help until about 3-4 nights of use. Even then, sometimes it feels like my upper gum underneath, is strange feeling the next morning
OUTPUT: neutral

INPUT: Easy to install, fits perfectly, and does a good job.
OUTPUT: positive

INPUT: Fantastic buy! Computer arrived quickly and was well packaged. Everything looks and performs like new. I had a problem with a cable. I contacted the seller and they immediately sent me out a new one. I can't say enough good things about about this purchase and this computer. I will definitely use them again.
OUTPUT: positive

INPUT: Much better than driving with no indication that you are a student driver. Maybe in the next set you can include "new driver" for when people graduate out of being a student driver. (for use after you pass the road test, etc.)
OUTPUT:


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task.


INPUT: Much smaller than what I expected. The quality was not that great the paper in the lower end of the cup was ruined after first wash with the kids.
OUTPUT: neutral

INPUT: These make it really easy to use your small keyboard on your phone. Would recommend to everyone.
OUTPUT: positive

INPUT: Holy Crap what a Cliffy! Loved this book from beginning to end and is my absolute favorite so far! Can’t wait for book 4!
OUTPUT: positive

INPUT: Just received in mail, I think I received a used one as it had writing in the first 3 pages. And someone else's name... Otherwise seems like pretty good quality
OUTPUT: neutral

INPUT: Please do not buy this! I was so excited and I got one for me and my co worker because we freeze in our offices. It's so small and barely even heats up. One of them didn't even work at all!
OUTPUT: negative

INPUT: So small can't even see it in my garage i though was a lil bigger
OUTPUT: negative

INPUT: The 8 year old nephew said he wanted this for his birthday. I felt it was a bit much for a toy but he caught me on a good day. Come to find out it's a fragile collectible so the nephew lost all the small parts the moment he opened it. I guess it's adequate for collectors that want detail on such a small figurine.
OUTPUT: neutral

INPUT: my expectations were low for a cheap scale. they were not met, scale doesnt work. popped the cover off the back to put a battery in and the wires were cut and damaged. wouldn't even turn on. sending it back. product is flimsy and cheap, spend 20 extra bucks on a better brand or scale.
OUTPUT: negative

INPUT: I thought it was much bigger, it's look like a new born baby ear ring.
OUTPUT: neutral

INPUT: Picture was incredibly misleading. Shown as a large roll and figured the size would work for my project, then I received the size of a piece of paper.
OUTPUT: negative

INPUT: Much smaller than anticipated. More like a notepad size than a book.
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task.


INPUT: My cats went CRAZY over this!
OUTPUT: positive

INPUT: Horrible after taste. I can imagine "Pine Sol Cleaning liquid" tasting like this. Very strange. It's a NO for me.
OUTPUT: negative

INPUT: I was very disappointed in this item. It is very soft and not chewy. It falls apart in your hand. My dog eats them but I prefer a more chewy treat for my dog.
OUTPUT: negative

INPUT: Can’t get ice all the way around the bowl. Only on the bottom, so it didn’t keep my food as cold as I would have liked.
OUTPUT: neutral

INPUT: Just received it and so far so good. No issues, did a great job. For a family on a budget trying to waste as least food as possible, it is a great investment and it was very affordable too.
OUTPUT: positive

INPUT: Excellent read!! I absolutely loved the book!! I’ve adopted 4 Siamese cats from Siri over the years and everyone of them were absolute loves. Once you start to read this book, it’s hard to put down. Funny, witty and very entertaining!! Siri has gone above and beyond in her efforts to rescue cats (mainly Siamese)!!
OUTPUT: positive

INPUT: This is a well made device, much higher quality than the three previous cat feeders we've tried. The iOS app works well although the design is a little confusing at first. The portion control is good and the feeder mechanism has worked reliably. The camera provides a clear picture and it's great to be able to check remotely that the cat really is getting fed. Setup was relatively easy.
OUTPUT: positive

INPUT: I REALLY WANTED TO LOVE THIS BUT I DON'T. THE SMELL IS NOT STRONG AT ALL NO MATTER HOW MUCH OF IT ADD.
OUTPUT: negative

INPUT: I'm really disappointed that Garden of Life SOLD OUT to NESTLE!!! Now I have to find a replacement for this supplement.
OUTPUT: neutral

INPUT: After I gave it to my pet bunny, she didn't like it as much.
OUTPUT: neutral

INPUT: My cats have no problem eating this . I put it in their food .
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task.


INPUT: I never received my item that I bought and it’s saying it was delivered.
OUTPUT: negative

INPUT: These monitors arrived fairly quickly and they're a great deal but the packages were in ridiculous condition. Big boot footprints were on two boxes, a big hole in another and all of them were crushed pretty good. I haven't opened and setup the monitors yet but I'll be surprised if some aren't damaged. Probably need a new shipping company or contact them about the shape some of those are in.
OUTPUT: neutral

INPUT: Absolutely terrible. I ordered these expecting a quality product for 10 dollars. They were shipped in an envelope inside of another envelope all just banging against each other while on their way to me from the seller. 3 of them are broken internally, they make a rattle noise as the ones that work do not. I will be requesting a refund for these and filing a complaint with Amazon. Don't purchase unless you like to buy broken/damaged goods. Completely worthless.
OUTPUT: negative

INPUT: Stop using Amazon Delivery Drivers, they are incompetent and continually damage packages
OUTPUT: negative

INPUT: The packaging of this product was terrible. Just the device with no instructions in a box with no bubble wrap. Device rolling around in a box 3x’s it’s size. No order slip.
OUTPUT: neutral

INPUT: I recieved a totally different product than I ordered (pictured) and I see that I cannot return it !?! I give them one star just because I'm tryin to be nice. I ordered these black hats for a christmas project that I am doin with my 5 yr old son for his classroom and now I'm afraid to even try to reorder them again in fear that I'll recieve another different product.
OUTPUT: negative

INPUT: Help..... I ordered and paid for one and received 3. How do we handle this?? Don’t publish.... just answer
OUTPUT: neutral

INPUT: I bought the surprise shirt for grandparents, but was sent one for an aunt. I was planning on surprising them with this shirt tomorrow in a cute way, but now I have to postpone the get together until I receive the correct item sent hopefully right this time.
OUTPUT: negative

INPUT: Was very happy with this product. Liked it so much I ordered several more times. But the last order I made never made it to me. And they sent me a message telling me sorry. But they still took my money.
OUTPUT: neutral

INPUT: I have never had a bad shipment of these and my yard is full of them, this last shipment has one strand that won't work at all and the other strand only works on flash, i'm definitely afraid to order any more of them.
OUTPUT: negative

INPUT: Amazon never deliver the items. Horrible customer service. Considering new purchase choices.
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task.


INPUT: Good deal for a good price
OUTPUT: positive

INPUT: Great product! No complaints!
OUTPUT: positive

INPUT: Very cheaply made, its not worth your money, ours came already broken and looks like it's been played with, retaped, resold.
OUTPUT: negative

INPUT: Perfect, came with everything needed. God quality and fit perfectly. Much less then original brand.
OUTPUT: positive

INPUT: Solid value for the money. I’ve yet to have a problem with the first pair I bought. Buying a second for my second box.
OUTPUT: positive

INPUT: Nice router no issues
OUTPUT: positive

INPUT: Great case. Daughter loves it.
OUTPUT: positive

INPUT: Very good price for a nice quality bracelet. My sister loved her birthday present! She wears it everyday.
OUTPUT: positive

INPUT: I like the price on these. Although they are ridiculously hard to open due to the 2 lines to lock it. Also they don’t stand up straight.
OUTPUT: neutral

INPUT: Just as advertised. Quick shipping.
OUTPUT: positive

INPUT: Great price. Good quality.
OUTPUT:


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task.


INPUT: I dislike this product it didnt hold water came smash in a bag and i just thow it in the trash
OUTPUT: negative

INPUT: Horrible after taste. I can imagine "Pine Sol Cleaning liquid" tasting like this. Very strange. It's a NO for me.
OUTPUT: negative

INPUT: It didn’t work at all. All the wax got stuck at the top and would never flow.
OUTPUT: negative

INPUT: Glass is extremely thin. Mine broke into a million shards. Very dangerous!
OUTPUT: neutral

INPUT: Ordered two identical rolls. One arrived with the vacuum bag having a large hole poked in the center - almost the size of the center hub hole. Since the roll arrives in a product box the hole either occurred before boxing at the manufacturer or I received a return. The seller responded promptly and asked for photos, which I provided. Then they asked if there was anything wrong with the product. Huh? I replied it has some issues (likely moisture related). Then they asked for details of issues. Huh? Well, I've had enough of providing them details of the damaged/defective product.
OUTPUT: neutral

INPUT: Can’t get ice all the way around the bowl. Only on the bottom, so it didn’t keep my food as cold as I would have liked.
OUTPUT: neutral

INPUT: It's only been a few weeks and it looks moldy & horrible. I bought from the manufacturer last year and had no problems.
OUTPUT: negative

INPUT: Ordered this for a Santa present and Christmas Eve noticed it came broken!
OUTPUT: negative

INPUT: Product was not to my liking seemed diluted to other brands I have used, will not buy again. Sorry
OUTPUT: negative

INPUT: Wouldn’t keep air the first day of use!!!
OUTPUT: negative

INPUT: Seal was already broken when I opened the container and it looked like someone had used it.
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task.


INPUT: Its good for the loose skin postpartum. I'm gonna use it for another waist trainer. Not tight enough.
OUTPUT: neutral

INPUT: Clasps broke off after having for only a few months 😢
OUTPUT: negative

INPUT: So cute! And fit my son perfect so I’m not sure about an adult but probably would stretch.
OUTPUT: positive

INPUT: I really love this product. I love how big it is compare to others diaper changing pads. I love the extra pockets and on top of that you get a free insulated bottle bag. All of that for an amazing price.
OUTPUT: positive

INPUT: You want an HONEST answer? I just returned from UPS where I returned the FARCE of an earring set to Amazon. It did NOT look like what I saw on Amazon. Only a baby would be able to wear the size of the earring. They were SO small. the size of a pin head I at first thought Amazon had forgotten to enclose them in the bag! I didn't bother to take them out of the bag and you can have them back. Will NEVER order another thing from your company. A disgrace. Honest enough for you? Grandma
OUTPUT: negative

INPUT: This sweatshirt changed my life. I wore this sweatshirt almost every single day from January 25th, 2017 up until last week or so when the hood fell off after almost a year of abuse. This sweatshirt has made me realize that the small things in life are the things that matter. Thank you Hanes, keep doing what you do. Love, Justin
OUTPUT: positive

INPUT: my problem with the product is the fit. I have a large head and it is too tight everywhere and the neck just doesnt feel right. I want to pull it down but then my nose has no room. I can't use it because of the poor fit.
OUTPUT: negative

INPUT: This is even sexier than the pic! It has good control and is smooth under all my clothes! It's also comfortable and I'm able to easily wear it all day, it doesn't roll down either!
OUTPUT: positive

INPUT: Looking at orher reviews the tail was supposed to be obscenely long -- it was actually the perfect size but im not sure if thats intentional. The waist strap fits perfectly-- but again, need to list that my waist is fairly wide and it sat on my hips. Im unsure about the life of the strap. To the actual quality the fur seems of a fair (not great but not terrible quality but the tail isnt fully stuffed.) Apparently theres supposed to be a wire to pose the tail. There is none in mine, which is fine cause again, mine came up shorter than others. Im only rating 3 stars because of some unintentional good things.
OUTPUT: neutral

INPUT: I love how the waist doesn't have an elastic band in them. I have a bad back and tight waist bands always make my back feel worse.These feel decent...although If they could make them just one size larger..and not just offer plus size....that would be even better for my back.
OUTPUT: positive

INPUT: This item is terrible for pregnant woman! Poorly designed! Poor quality! The straps just keep popping off and it’s even big on me. When I adjust it nothing changes. Do not buy.
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task.


INPUT: Good deal for a good price
OUTPUT: positive

INPUT: Just received it and so far so good. No issues, did a great job. For a family on a budget trying to waste as least food as possible, it is a great investment and it was very affordable too.
OUTPUT: positive

INPUT: Perfect brush, small radius, and good quality.
OUTPUT: positive

INPUT: Easy to install, fits perfectly, and does a good job.
OUTPUT: positive

INPUT: the quality is okay. i would give 3 start rating for this.
OUTPUT: neutral

INPUT: Chair is really good for price! I have 6 children so I was looking for something not to expensive but good, this chair is really good comparing with others and good prices
OUTPUT: positive

INPUT: Very good product I realy love it
OUTPUT: positive

INPUT: Overall I liked the phone especially for the price. The durability is my main issue I dropped the phone once onto a wood floor from about 12 inches and the screen cracked after having it for about 2 weeks. Otherwise it seemed to be a decent phone. It had a few little quirks that took a little getting used to but otherwise I think it wood be a good phone if it was more durable.
OUTPUT: neutral

INPUT: Solid value for the money. I’ve yet to have a problem with the first pair I bought. Buying a second for my second box.
OUTPUT: positive

INPUT: Very good price for a nice quality bracelet. My sister loved her birthday present! She wears it everyday.
OUTPUT: positive

INPUT: Good quality and price.
OUTPUT:


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task.


INPUT: Works as it says it will!
OUTPUT: positive

INPUT: I don't like anything about it and I don't like that it is not able to be returned. JUNK!
OUTPUT: negative

INPUT: Works very well. Easy to set alarms, and time. The snooze/backlight function is pretty neat too. The dim back light is also nice so that you can actually read the time in the dark.
OUTPUT: positive

INPUT: I was totally looking forward to using this because I tried the original solution and it was great but it burned my skin because I have sensitive skin but this one Burns and makes my make up look like crap I wouldn’t recommend it at all don’t waste your money
OUTPUT: negative

INPUT: To me this product just does not work. Decided to give this a try based on the great reviews this product has. I used it for about two weeks and just did not feel any extra energy nor anything else. Obviously the seller has a good system, maybe even a little scam going on, give me a 5 star review and we will send you a free one. Not saying this will happen to everyone, but these were my results. Happy shopping!
OUTPUT: negative

INPUT: It really didn’t work for me - wasn’t of any help.
OUTPUT: neutral

INPUT: it does not work, only one hearing aid works at a time
OUTPUT: negative

INPUT: did not work, spit out fog oil ,must have got a bad one
OUTPUT: negative

INPUT: Haven’t used it but everything seems great
OUTPUT: positive

INPUT: Stopped working after a couple of weeks. You get what you pay for.
OUTPUT: negative

INPUT: Does what it says, works great.
OUTPUT:


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task.


INPUT: I like this product, make me feel comfortable. I can use it convenient. The price is very cheap.
OUTPUT: positive

INPUT: Quality made from a family business. Sometimes a challenge to move around due to the chew toys hanging off but gives our puppy something to knaw on throughout the night. 5 month update: Our dog doesn't destroy many toys but since he truly loves this one he has ripped off the head, the tail rope, torn a few corner rope rings, put teeth marks in the internal foam and now ripped the underside of the cover. I'm giving this 4 stars still due to the simple fact that he LOVES this thing. Purchased right before they sold out, maybe the new model is more durable. Update with new model: The newer model has some areas where design has decreased in quality. The "tail" rope is not attached nearly as well as the first one. However, so far nothing has been ripped off of it in the 3 weeks since we have received it. He still loves it though!
OUTPUT: neutral

INPUT: The glitter gel flows, its super cute.
OUTPUT: positive

INPUT: Fantastic belt ,love it . This is my second one , the first one was a little small but this one is perfect. I suggest you order one size bigger than your waist size.
OUTPUT: negative

INPUT: I like everything about the pill box except its size. I take a lot of supplements and the dispenser is just too small to hold all the pills that I take.
OUTPUT: neutral

INPUT: Awesome product. Have used on my hands several times since I received the product. My cuticles have softened and my hands are no longer dry.
OUTPUT: positive

INPUT: High quality product. I prefer the citrate formula over other types of magnesium
OUTPUT: positive

INPUT: This is even sexier than the pic! It has good control and is smooth under all my clothes! It's also comfortable and I'm able to easily wear it all day, it doesn't roll down either!
OUTPUT: positive

INPUT: Love it! As with all Tree to Tub Products, I’ve incredibly happy with this toner.
OUTPUT: positive

INPUT: This product is a good deal as far as price and the amount of softgels. I also like that it has a high EPA and DHA formula. The only thing I don't like is the fish burps. Maybe they need to add more lemon to the formula
OUTPUT: neutral

INPUT: Definitely not what I expected! Now to say this I usually use the Doc Johnson Seven Wonders vibrator which is awesome I think they stop making it so I had to find an alternative so I found this one the price was decent read the reviews you know looked at everybody else reviews and base it off of that so hey I ordered okay so I had it for a few weeks now wanted to give an honest review and honestly... I hate it I think it's more or less the design of the applicator I don't really like the fatness of it I really like to sleep slim ones that to me they really stimulate your clit a whole lot better but hey that's just my opinion I went by it again that we looking for alternative hope this helps anybody on the quest to find a good bullet LOL LOL
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task.


INPUT: I like this product, make me feel comfortable. I can use it convenient. The price is very cheap.
OUTPUT: positive

INPUT: So small can't even see it in my garage i though was a lil bigger
OUTPUT: negative

INPUT: Works as it says it will!
OUTPUT: positive

INPUT: Please do not buy this! I was so excited and I got one for me and my co worker because we freeze in our offices. It's so small and barely even heats up. One of them didn't even work at all!
OUTPUT: negative

INPUT: The item ordered came exactly as advertised. I highly recommend this vendor and would order from them again.
OUTPUT: positive

INPUT: I didn’t like that it was made out of plastic and that you had to put it together yourself.
OUTPUT: negative

INPUT: I thought it was much bigger, it's look like a new born baby ear ring.
OUTPUT: neutral

INPUT: Not worth it the data cable had to move it in a certain position to make it work i just returned it back.
OUTPUT: negative

INPUT: Picture was incredibly misleading. Shown as a large roll and figured the size would work for my project, then I received the size of a piece of paper.
OUTPUT: negative

INPUT: Very cheaply made, its not worth your money, ours came already broken and looks like it's been played with, retaped, resold.
OUTPUT: negative

INPUT: This item is smaller than I thought it would be but it works great!
OUTPUT:


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task.


INPUT: Chair is really good for price! I have 6 children so I was looking for something not to expensive but good, this chair is really good comparing with others and good prices
OUTPUT: positive

INPUT: Great hold and strength on the magnet. Can be easily maneuvered to fit your needs for holding curtains back.
OUTPUT: positive

INPUT: Overall it’s a nice bed frame but it comes with scratches all over the frame. It comes with a building kit (kind of like an IKEA building kit) so it takes a while
OUTPUT: neutral

INPUT: great throw for high end sofa, and works with any style even contemporary sleek sectionals
OUTPUT: positive

INPUT: I would love to give this product 5 star but unfortunately it just doesn’t cut due to quality. I bought them only (and only) for my toddlers snacks. And for that purpose they work great. I would probably use them in other situations as well if they were all the same. And yes I understand, if they are hand carved from one piece of wood, there could be slight difference, but that’s where product quality control comes in. I guess they just didn’t want any faulty products and decided to sell them all no matter what.
OUTPUT: neutral

INPUT: This is a great little portable table. Easy to build and tuck away in a corner. One big flaw is that the tabletop comes off easily. Adjusting the height becomes a 2 hand job or else the top may come off when pressing the lever.
OUTPUT: neutral

INPUT: Very cheaply made, its not worth your money, ours came already broken and looks like it's been played with, retaped, resold.
OUTPUT: negative

INPUT: These are awesome! I just used them on my 12 ft Christmas tree so I could get it out the door. So easy to use that I’m going to buy another pair.
OUTPUT: positive

INPUT: I like these storage bins overall. The color of the lining inside wasn’t expected, it shows a light brown color in the photo but it’s pretty dark. I would have preferred the lining inside to match the outside, tan or grey. Other than that they are cute and look as pictured.
OUTPUT: neutral

INPUT: Didn't expect much for the price, and that's about what I got. It covers and protects my table, just have to live with a grid of folds from packaging. Seller advised to use a hair dryer to flatten out the wrinkles, but it was a very painstakingly slow process that only took some of the sharp edges off of the folds, didn't make much difference. Going to invest in something better (and much more expensive) for daily use, this is OK for what it does.
OUTPUT: neutral

INPUT: The furniture is a bit smaller and lighter than what I was expecting, but for the price it does the job. I probably will do a bit more research for future outdoor furniture buying, but for now this set is good enough.
OUTPUT:


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task.


INPUT: FIRE HAZARD DO NOT PURCHASE. Used once as instructed wires melted and caught fire!!!
OUTPUT: negative

INPUT: Does not work mixed this with process solution and 000 and nothing. Looked exactly the same as i first put it on.
OUTPUT: negative

INPUT: The iron works good, but its very small, almost delicate. The insulation parts on the tip were plastic not ceramic. Came with the plug that's a bonus. But it took quite a bit longer then most things on amazon to ship. I use it for soldering race drones, i ordered the smaller tip, and its actually to small for all but my micro drones. Had to order another tip. Gets hot pretty quick. Apparently this is a firmware upgrade you can do to make it better, but i didn't have to use it.
OUTPUT: neutral

INPUT: Ummmm, buy a hard side for your expensive wreath. It is too thin to protect mine.
OUTPUT: neutral

INPUT: The picture shows the fuel canister with the mosquito repeller attached so I assumed it would be included. However, when I opened the package I discovered there was no fuel. Since it is not included, the picture should be removed. If someone orders this and expects to use it immediately, like I did, they will be very disappointed.
OUTPUT: negative

INPUT: This product does not work at all. I have tried it on two of my vehicles and it does not cover light scratches. Waste of money.
OUTPUT: negative

INPUT: Very easy install. Directions provided were simple to understand. Lamp worked on first try! Thanks!
OUTPUT: positive

INPUT: After 5 months the changing rainbow light has stopped functioning. Still works as an oil diffuser at least. It was cheap so I guess that's what you get!
OUTPUT: neutral

INPUT: Cheap, don’t work. Very dim. Not worth the money.
OUTPUT: negative

INPUT: It didn’t work at all. All the wax got stuck at the top and would never flow.
OUTPUT: negative

INPUT: Worked with the torch. Blue flame. It burned hot enough to destroy aluminum foil
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task.


INPUT: Looks good. Clasp some times does not lock completely and the watch falls off. One time it fell off and the back cover popped off. I do get lots of compliments of color combination.
OUTPUT: neutral

INPUT: One half stopped working after month of use
OUTPUT: negative

INPUT: Downloaded the app after disconnecting my cable provider to watch shows that I enjoy and to see any of them you have to sign in thru your cable provider. Really disappointed!!
OUTPUT: negative

INPUT: I did not receive the Fitbit Charge HR that I ordered, I got a Fitbit FLEX ,,, and I am very upset and do NOT like not receiving what I ordered
OUTPUT: negative

INPUT: Bought this just about 6 months agi and is already broken. Just does not charge the computer and is as good as stone. Would not recommend this and instead buy the original from he Mac store. This product is not worth the price.
OUTPUT: negative

INPUT: Works very well. Easy to set alarms, and time. The snooze/backlight function is pretty neat too. The dim back light is also nice so that you can actually read the time in the dark.
OUTPUT: positive

INPUT: Looking at orher reviews the tail was supposed to be obscenely long -- it was actually the perfect size but im not sure if thats intentional. The waist strap fits perfectly-- but again, need to list that my waist is fairly wide and it sat on my hips. Im unsure about the life of the strap. To the actual quality the fur seems of a fair (not great but not terrible quality but the tail isnt fully stuffed.) Apparently theres supposed to be a wire to pose the tail. There is none in mine, which is fine cause again, mine came up shorter than others. Im only rating 3 stars because of some unintentional good things.
OUTPUT: neutral

INPUT: For some reason, unit running led, was not blinking, so could not judge its working condition. Will review again, when it becomes fully operational.
OUTPUT: neutral

INPUT: It worked for a week. My husband loved it. And then all of the sudden it won't charge or turn on. It just stopped working.
OUTPUT: negative

INPUT: This is my third G-shock as I have been addicted to this watch and can never probably use a different brand. Not only this is a beautiful watch, it is also water resistant and is very durable. Good purchase overall and I love the dark blue color. I only miss the night light, which this one does not have
OUTPUT: positive

INPUT: This watch was purchased in mid-June. Not even 2 months later it's losing 45 minutes every 4 hours. The indicator boasts a "full charge" but still, losing >10 minutes every hour - faulty. Amazon's customer service was A COMPLETE JOKE. I was on the line for over ten minutes (probably longer but my watch runs slow), and got nowhere. Out of warranty.
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task.


INPUT: It arrived broken. Not packaged correctly.
OUTPUT: negative

INPUT: Ordered two identical rolls. One arrived with the vacuum bag having a large hole poked in the center - almost the size of the center hub hole. Since the roll arrives in a product box the hole either occurred before boxing at the manufacturer or I received a return. The seller responded promptly and asked for photos, which I provided. Then they asked if there was anything wrong with the product. Huh? I replied it has some issues (likely moisture related). Then they asked for details of issues. Huh? Well, I've had enough of providing them details of the damaged/defective product.
OUTPUT: neutral

INPUT: It's only been a few weeks and it looks moldy & horrible. I bought from the manufacturer last year and had no problems.
OUTPUT: negative

INPUT: I recieved a totally different product than I ordered (pictured) and I see that I cannot return it !?! I give them one star just because I'm tryin to be nice. I ordered these black hats for a christmas project that I am doin with my 5 yr old son for his classroom and now I'm afraid to even try to reorder them again in fear that I'll recieve another different product.
OUTPUT: negative

INPUT: I would buy it again. Just as a treat, was a nice little side dish pack for nights when me or my husband didn't want to cook.
OUTPUT: neutral

INPUT: We return the batteries and never revive a refund
OUTPUT: negative

INPUT: I dislike this product it didnt hold water came smash in a bag and i just thow it in the trash
OUTPUT: negative

INPUT: Whoever packed this does not care or has a lot to learn about dunnage.
OUTPUT: negative

INPUT: Very poorly packaged. The glasses banged each other. Should have been bubble wrapped. So bummed that I can’t use these for a party tonight!
OUTPUT: negative

INPUT: I didn’t like that it was made out of plastic and that you had to put it together yourself.
OUTPUT: negative

INPUT: The outer packing was rotten by the time it arrived and it can not be returned.
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task.


INPUT: I ordered two pairs of these shorts and was sent completely wrong sizes. I have both pairs same item ordered and the shorts are completely different sizes but are labeled the same size. One pair is 4 inches longer than the other.
OUTPUT: negative

INPUT: I washed it and it lost much of its plush feel and color.
OUTPUT: neutral

INPUT: They are huge!! Want too big for me.
OUTPUT: neutral

INPUT: I like this swim suit but it fits really small. I am a size 14 and per reviews that's what I ordered. It runs really small. Also a lot of mesh in the back and on the sides of this suit. Don't like that. its going back....sad
OUTPUT: negative

INPUT: I have bought these cloths in the past, but never from Amazon. In contrast to previous purchases, these cloths do not absorb properly after the first wash. After washing they feel more like 'napkins'... very disappointed.
OUTPUT: negative

INPUT: BEST NO SHOW SOCK EVER! Period, soft, NEVER slips, and is a slightly thick sock. Not to thick though, perfect for running shoes too!
OUTPUT: positive

INPUT: These do run large than expected. I wear a size 6 ordered 5-6 and they are way to big, I have to wear socks to keep them on . Plus I thought they would be thicker inside but after wearing them for a few days they seemed to break down . I will try to find a better pair
OUTPUT: neutral

INPUT: Much smaller than what I expected. The quality was not that great the paper in the lower end of the cup was ruined after first wash with the kids.
OUTPUT: neutral

INPUT: I bought these for under dresses and they are perfect for that. I did size up to a large instead of a medium because they run small. They hit the knees on me but that’s because I’m 4’11”
OUTPUT: positive

INPUT: This sweatshirt changed my life. I wore this sweatshirt almost every single day from January 25th, 2017 up until last week or so when the hood fell off after almost a year of abuse. This sweatshirt has made me realize that the small things in life are the things that matter. Thank you Hanes, keep doing what you do. Love, Justin
OUTPUT: positive

INPUT: When I washed them they shrunk I order a bigger size because I knew they would shrink a little but they shrunk to much
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task.


INPUT: past is not enough strong
OUTPUT: negative

INPUT: Apparently 2 Billion is not very many in the world of probiotics
OUTPUT: neutral

INPUT: Waste of money!! Don’t buy this product. just helping community. I trusted reviews about that but all wrong
OUTPUT: negative

INPUT: Not a credible or tasteful twist at the end of the book
OUTPUT: neutral

INPUT: My cats went CRAZY over this!
OUTPUT: positive

INPUT: Im not sure if its just this sellers stock of this product or what but the first order was no good, each bottle had mold and clumps in the bottle and usually companies will put a couple of metal beads in a bottle to aid in the mixing but these had a rock in it... like a rock off the ground. I decided to replace the item, same seller, and once again they were all clumpy and gross... I attached a photo. I wouldnt buy these, at least not from this seller.
OUTPUT: negative

INPUT: Whoever packed this does not care or has a lot to learn about dunnage.
OUTPUT: negative

INPUT: Good but arrived melted because of heat even though it had been boxed with ice pack which was melted!
OUTPUT: neutral

INPUT: Took a bottle to Prague with me but it just did not seem to do much.
OUTPUT: negative

INPUT: I dislike this product it didnt hold water came smash in a bag and i just thow it in the trash
OUTPUT: negative

INPUT: not what i exspected!
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task.


INPUT: Good but arrived melted because of heat even though it had been boxed with ice pack which was melted!
OUTPUT: neutral

INPUT: These monitors arrived fairly quickly and they're a great deal but the packages were in ridiculous condition. Big boot footprints were on two boxes, a big hole in another and all of them were crushed pretty good. I haven't opened and setup the monitors yet but I'll be surprised if some aren't damaged. Probably need a new shipping company or contact them about the shape some of those are in.
OUTPUT: neutral

INPUT: Very poorly packaged. The glasses banged each other. Should have been bubble wrapped. So bummed that I can’t use these for a party tonight!
OUTPUT: negative

INPUT: Mango butter was extremely dry upon delivery.
OUTPUT: negative

INPUT: DISAPPOINTED! Owl arrived missing stone for the right eye. Supposed to be a gift.
OUTPUT: neutral

INPUT: Ordered two identical rolls. One arrived with the vacuum bag having a large hole poked in the center - almost the size of the center hub hole. Since the roll arrives in a product box the hole either occurred before boxing at the manufacturer or I received a return. The seller responded promptly and asked for photos, which I provided. Then they asked if there was anything wrong with the product. Huh? I replied it has some issues (likely moisture related). Then they asked for details of issues. Huh? Well, I've had enough of providing them details of the damaged/defective product.
OUTPUT: neutral

INPUT: Worst fucking item I ever bought on Amazon I had a headache for 2 days on this bullshit I thought I had to go to the emergency room please don't but real costumer
OUTPUT: negative

INPUT: Need better packaging. Rose just wiggles around in the box. Bouncing and damaging.
OUTPUT: neutral

INPUT: It arrived broken. Not packaged correctly.
OUTPUT: negative

INPUT: The toy is ok but it came in what they call "standard packaging" and that amounted to a plain brown cardboard box, NOT the colorful box in the photo. Can't give this as a gift in this cardboard packaging.
OUTPUT: neutral

INPUT: Arrived frozen solid. Been in the house for 2 hours and still frozen. Brought into house 7 min after delivered. Probably ruined. Suspect package was in delivery vehicle overnight. Waste of money.
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task.


INPUT: I would love to give this product 5 star but unfortunately it just doesn’t cut due to quality. I bought them only (and only) for my toddlers snacks. And for that purpose they work great. I would probably use them in other situations as well if they were all the same. And yes I understand, if they are hand carved from one piece of wood, there could be slight difference, but that’s where product quality control comes in. I guess they just didn’t want any faulty products and decided to sell them all no matter what.
OUTPUT: neutral

INPUT: I never bought this product so why the hell isn't showing up in my order history
OUTPUT: negative

INPUT: Very cheaply made, do not think this is quality stainless steel. The leafs of the steamer were sticking together and not opening smoothly. Poor quality in comparison to the Pyrex brand I had for 15 years. Returned.
OUTPUT: negative

INPUT: The width and the depth were opposite of what it said, so they did not fit my cabinet.
OUTPUT: negative

INPUT: I ordered green but was sent grey. Bought it to secure outside plants/shrubs to wooden poles. Wrong color but I'll make it work.
OUTPUT: neutral

INPUT: Well, I ordered the 100 pack and what came in the mail was silver eyeshadow....Yep, silver women’s eyeshadow...no blades....how does that happen???
OUTPUT: negative

INPUT: The package only had 1 rectangular pan and 1 cupcake pan. Missing 2 rectangular pans.
OUTPUT: negative

INPUT: The 8 year old nephew said he wanted this for his birthday. I felt it was a bit much for a toy but he caught me on a good day. Come to find out it's a fragile collectible so the nephew lost all the small parts the moment he opened it. I guess it's adequate for collectors that want detail on such a small figurine.
OUTPUT: neutral

INPUT: Awkward shape, does not fit all butter sticks
OUTPUT: neutral

INPUT: Very cheap a dollar store item and u can not sweep all material into pan as the edge is not beveled correctly
OUTPUT: negative

INPUT: I’m very upset I ordered the knife set for the black holder and ended up with a wooden one. I wish that information was disclosed I would have gone with a different knife set. I wanted it to match my kitchen.
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task.


INPUT: Very drying on my hair .
OUTPUT: negative

INPUT: Easy to clean. Great length for my toddler!
OUTPUT: positive

INPUT: I have bought these cloths in the past, but never from Amazon. In contrast to previous purchases, these cloths do not absorb properly after the first wash. After washing they feel more like 'napkins'... very disappointed.
OUTPUT: negative

INPUT: Had to use washers even though the bolts were stock like beveled in appearance. 3 pulled through the skid, and there isn't any rust issues. I called daystar because i spent the money so i wouldn't have to use washers. They told me to use washers.
OUTPUT: neutral

INPUT: It leaves white residue all over dishes! Gross!
OUTPUT: negative

INPUT: I washed it and it lost much of its plush feel and color.
OUTPUT: neutral

INPUT: Sorry but these are a waist of money. Washed my handy one time and they come right off. I even glued them on because they were so cheep and didn’t stay when you put the ring on .
OUTPUT: negative

INPUT: Clumpy, creases on my lips, patchy, all in all not worth it. Have to scrub my lips nearly off with makeup remover to get it all off.
OUTPUT: negative

INPUT: Half of the pads were dried out. The others worked great!
OUTPUT: neutral

INPUT: The paw prints are ALREADY coming off the bottom of the band where you snap it together, I've only worn it three times. Very upset that the paw prints have started rubbing off already 😡
OUTPUT: neutral

INPUT: washes out very quickly
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task.


INPUT: The book is fabulous, but not in the condition i was lead to believe it was in. I thought i was buying a good used copy, what i got is torn cover and some kind of humidity damaged book. I give 5 stars for the book, 2 stars for the condition.
OUTPUT: neutral

INPUT: This is a very helpful book. Easy to understand and follow. Much rather follow these steps than take prescription meds. There used to be an app that worked as a daily checklist from the books suggestions, but now I cannot find the app anymore. Hope it comes back or gets updated.
OUTPUT: positive

INPUT: These notebooks really keep me on track, love them!
OUTPUT: positive

INPUT: Whoever packed this does not care or has a lot to learn about dunnage.
OUTPUT: negative

INPUT: The book is very informative, with great tips and tricks about how to travel as well as what the locations are about which is both it's good and bad aspect. It gives so much interesting context, it may be overly insightful. For the person who must know everything, this is great. For the person who has no idea. Googling will suffice.
OUTPUT: neutral

INPUT: Great book for daily living
OUTPUT: positive

INPUT: 3 1/2 Stars Remedy is a brothers best friend romance as well as a second chance romance mixed into one. It's a unique story, and the hero (Grady) has to do everything to get Collins back and prove he's the guy for her. Three years ago, Grady and Collins had an amazing night together. Collins thought she was finally getting everything she dreamed of, her brothers best friend... but when she woke up alone the next morning, and never heard from her, things definitely changed. Now Grady is back, and he's not leaving, and he's doing everything in his power to prove to her why he left, and that he's not giving her up this time around. While I loved the premise of this story, and at times Grady, he really got on my nerves. I totally understand his reasoning for leaving that night, but to not even send a letter to Collins explaining himself? To leave her wondering and hurt for all those years, and then expect her to welcome him back with open arms? Was he delusional?! Collins was right to be upset, angry, hurt, etc. She was right to put up a fight with him when he wanted her back and to move forward. I admire her will power, because Grady was persistent. I loved Collins in this book, she was strong, and she guarded her heart, and I admired her for that. Sure she loved Grady, but she was scared, and hesitant to let him back in her life, who wouldn't be after what he did to her? Her character was definitely my favorite out of the two. She definitely let things go at the pace she wanted, and when she was ready to listen, she listened. There is a lot of angst in this book, and I did enjoy watching these two reconnect when Collins started to forgive Grady, I just wish Grady would have not come off as so whiney and would have been a little more understanding. He kept saying he understood, but at times he was a little too pushy to me, and then he was sweet towards the end. I ended up loving him just as much as Collins, but in the beginning of the book, I had a hard time reading his points of view because I couldn't connect with his character. The first part of this book, was not my favorite, but he second part? I adored, hence my rating. If you like second chance, and brothers best friend romances, you may really enjoy this book, I just had a hard time with Grady at first and how he handled some of the things he did.
OUTPUT: neutral

INPUT: I like this series. The main characters are unusual and very damaged from a terrible childhood. Will is an excellent investigator but due to a disability he believes he is illiterate. Slaughter does a very good job showing how people with dyslexia learn ways to hide their limitations. It will be interesting to see how these characters play out in the future. I understand that Slaughter brings some of the characters from the Grant County series to this series. The crimes are brutal. I'm sure this is a good representation of what police come across in their career. The procedural is well done and kept me interested from start to finish. I'm looking forward to reading more of this series soon.
OUTPUT: positive

INPUT: Very informative Halloween Recipes For Kids book. This book is just what I needed with great and delicious recipe ideas. I will make a gift for my mom on her birthday. Thanks, author!
OUTPUT: positive

INPUT: Just received in mail, I think I received a used one as it had writing in the first 3 pages. And someone else's name... Otherwise seems like pretty good quality
OUTPUT: neutral

INPUT: I bought this book and the McGraw hill book and I really liked the Smart Edition book better. The answer explanations were more detailed and I actually found quite a few errors in the McGraw hill book, I stopped using it after that and just used this one. This one also comes with the online version of the tests and flashcards so it really is a better deal
OUTPUT:


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task.


INPUT: So small can't even see it in my garage i though was a lil bigger
OUTPUT: negative

INPUT: Much smaller than what I expected. The quality was not that great the paper in the lower end of the cup was ruined after first wash with the kids.
OUTPUT: neutral

INPUT: A bit taller than expected. I’m 5’11 & use these at the shortest adjustment. Would be nice to shorten for going up hill. They do extend for going down hill.
OUTPUT: neutral

INPUT: The width and the depth were opposite of what it said, so they did not fit my cabinet.
OUTPUT: negative

INPUT: seems okay, weaker than i thought it be be and too tight
OUTPUT: neutral

INPUT: Too big and awkward for your counter
OUTPUT: negative

INPUT: Really can't say because cat refused to try it. I gave it to someone else to try
OUTPUT: negative

INPUT: The small wrench was worthless. Ended up having to buy a new blender.
OUTPUT: negative

INPUT: asian size is too small
OUTPUT: neutral

INPUT: The child hat is ridiculously small. It was not even close to the right size for my 3 year old son. I checked the size, and it wouldn't have even fit him as a newborn. I liked the adult hat but it is not sold separately. The seller was rude and unhelpful when I contacted them directly through Amazon. The faux fur pom was either already torn or tore when I was trying on the hat. See the attached photograph. The pom came aprt, exposing the inner fluff.
OUTPUT: negative

INPUT: way smaller than exspected
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task.


INPUT: These raw cashews are delicious and fresh.
OUTPUT: positive

INPUT: The 8 year old nephew said he wanted this for his birthday. I felt it was a bit much for a toy but he caught me on a good day. Come to find out it's a fragile collectible so the nephew lost all the small parts the moment he opened it. I guess it's adequate for collectors that want detail on such a small figurine.
OUTPUT: neutral

INPUT: Can’t get ice all the way around the bowl. Only on the bottom, so it didn’t keep my food as cold as I would have liked.
OUTPUT: neutral

INPUT: I opened a bottle of this smart water and took a large drink, it had a very strong disgusting taste (swamp water). I looked into the bottle and found many small particles were floating in the water... a few brown specs and some translucent white. I am completely freaked out and have contacted Coca-Cola, the product manufacture.
OUTPUT: negative

INPUT: Super cute and would be effective for the average chewer. My dog had the east of in less than a minute. I liked that when the limbs were removed, the stuffing wasn't exposed.
OUTPUT: neutral

INPUT: Beautifully crafted. No problem removing cake from pan and the cakes look very nice
OUTPUT: positive

INPUT: Just can't get use to the lack of taste with this ceylon cinnamon. I have to use so much to get any taste at all. This is the first ceylon I've tried so I can't compare. Just not impressed. I agree with some others that it taste more like red hot candy smells. Hope I can find some that has some flavor. I really don't want to go back to the other cinnamon that is bad for us.
OUTPUT: neutral

INPUT: DISAPPOINTED! Owl arrived missing stone for the right eye. Supposed to be a gift.
OUTPUT: neutral

INPUT: Very informative Halloween Recipes For Kids book. This book is just what I needed with great and delicious recipe ideas. I will make a gift for my mom on her birthday. Thanks, author!
OUTPUT: positive

INPUT: I'm really disappointed that Garden of Life SOLD OUT to NESTLE!!! Now I have to find a replacement for this supplement.
OUTPUT: neutral

INPUT: This rice is from the ice age. It tastes ghastly and revolting. I threw the rest away and I'm sure not even the ants will like it. It seems to be leftovers from Neanderthals which might add some archeological value to it.
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task.


INPUT: Just as advertised. Quick shipping.
OUTPUT: positive

INPUT: Please note that it’s pretty small, so it’ll take a few trips to grind enough for a good session. Also the top is kinda tricky because you have to screw it on each time to grind.
OUTPUT: neutral

INPUT: Well, I ordered the 100 pack and what came in the mail was silver eyeshadow....Yep, silver women’s eyeshadow...no blades....how does that happen???
OUTPUT: negative

INPUT: Not reliable and did not chop well. Came apart with second use. Pampered Chef is my all-time favorite with Zyliss coming in second.
OUTPUT: negative

INPUT: Stop using Amazon Delivery Drivers, they are incompetent and continually damage packages
OUTPUT: negative

INPUT: Im not sure if its just this sellers stock of this product or what but the first order was no good, each bottle had mold and clumps in the bottle and usually companies will put a couple of metal beads in a bottle to aid in the mixing but these had a rock in it... like a rock off the ground. I decided to replace the item, same seller, and once again they were all clumpy and gross... I attached a photo. I wouldnt buy these, at least not from this seller.
OUTPUT: negative

INPUT: my expectations were low for a cheap scale. they were not met, scale doesnt work. popped the cover off the back to put a battery in and the wires were cut and damaged. wouldn't even turn on. sending it back. product is flimsy and cheap, spend 20 extra bucks on a better brand or scale.
OUTPUT: negative

INPUT: The packaging of this product was terrible. Just the device with no instructions in a box with no bubble wrap. Device rolling around in a box 3x’s it’s size. No order slip.
OUTPUT: neutral

INPUT: Easy to use, quick and mostly painless!
OUTPUT: positive

INPUT: It was a great kit to put together but one gear is warped and i am finding myself ripping my hair out sanding and adjusting it to try to get it to tick more than a few seconds at a time.
OUTPUT: neutral

INPUT: Fast shipping. Unfortunately, upon opening I noticed a sizable chip on the 1000 grit side. Hopefully still useable after a little grinding.
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task.


INPUT: Not worth it the data cable had to move it in a certain position to make it work i just returned it back.
OUTPUT: negative

INPUT: Water pump works perfectly and arrived as promised.
OUTPUT: positive

INPUT: I am very upset and disappointed, a month ago I bought this axial and the second time I went to use it, the control stopped working, the car did not roll or move the direction to any side, I took it to check with a technician and made several tests connecting different controls to the car and it worked perfect but when we put back the control that brought the car did not work, very annoying since in theory this is one of the best cars and brands that are in the market
OUTPUT: neutral

INPUT: did not work, spit out fog oil ,must have got a bad one
OUTPUT: negative

INPUT: When I received this product, I took the tracker out of the package and plugged it in in order to charge it-it never turned on! I did that was suggested, but to no avail!
OUTPUT: negative

INPUT: It worked for a week. My husband loved it. And then all of the sudden it won't charge or turn on. It just stopped working.
OUTPUT: negative

INPUT: Product does not stick well came loose and less than 24 hours after installing did everything correctly but just didn’t work
OUTPUT: negative

INPUT: Stops working after 3 weeks of use. Good thing that I have a backup filter. Please replace.
OUTPUT: negative

INPUT: Failed out of the box.
OUTPUT: negative

INPUT: Does not work as I thought it would. It really doesn't help much. It only last for like a hour.
OUTPUT: neutral

INPUT: Had to return it. Didn’t work with my Rx. Tested it once upon arrival, seemed fine. The next day it was leaking.
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task.


INPUT: This is even sexier than the pic! It has good control and is smooth under all my clothes! It's also comfortable and I'm able to easily wear it all day, it doesn't roll down either!
OUTPUT: positive

INPUT: Ordered two identical rolls. One arrived with the vacuum bag having a large hole poked in the center - almost the size of the center hub hole. Since the roll arrives in a product box the hole either occurred before boxing at the manufacturer or I received a return. The seller responded promptly and asked for photos, which I provided. Then they asked if there was anything wrong with the product. Huh? I replied it has some issues (likely moisture related). Then they asked for details of issues. Huh? Well, I've had enough of providing them details of the damaged/defective product.
OUTPUT: neutral

INPUT: I never should've ordered this for my front porch steps. It had NO Adhesion and was a BIG disappointment.
OUTPUT: negative

INPUT: Warped. Does not sit flat on desk.
OUTPUT: negative

INPUT: Received this file box last night, and begin to put my documents in as soon as I received it. It is very good for me as my husband and I get a lot paperwork to save. The colorful tags make it easier to find what I want. The material is strong. I finally get something to help with the messy drawer! Love this product! I believe I will buy another one when this one is full!
OUTPUT: positive

INPUT: Absolutely horrible vinyl does not stick at all I even had my heat breast up to 450 and it still wouldn't
OUTPUT: negative

INPUT: We loved these sheets st first but they have proven to be poor quality with rips at seams and areas of obvious wear from very rare use on our bed. Very disappointed. Would NOT recommend.
OUTPUT: negative

INPUT: I love the curls but the hair does shed a little; it has been a month; curls still looks good; I use mousse or leave in conditioner to keep curls looking shiny; hair does tangle
OUTPUT: neutral

INPUT: I found this stable and very helpful to get things off the floor, as well as to be able to store below and on top of. Nice that it's adjustable.
OUTPUT: positive

INPUT: very cute style and design, but tarnished after 1 wear!
OUTPUT: neutral

INPUT: Beautiful rug and value however rolling it on a one inch roll is ridiculous. I can’t remember the last 5 X 7 rug that comes rolled up on a cardboard roll. While I understand the rug will flatten eventually it should be after a day or so. Not days with weights on it, flipping it and steaming it. Good think I’m not having company tomorrow.
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task.


INPUT: Stop using Amazon Delivery Drivers, they are incompetent and continually damage packages
OUTPUT: negative

INPUT: Ordered these for my daughter as a Christmas present. When she opened the case 3 of the markers did not have the caps on and were completely dried out. She was very disappointed. She then starting testing all of them on a piece of paper, several of them began to run out of ink very quickly. Not happy with this product, tried to return, however these markets are an unreturnable item.
OUTPUT: negative

INPUT: I am returning product, I’ve been getting the same Wella Brilliance shampoo for years...the darker and cheaper one circled, and the last Two deliveries were the lighter bottle which smells nothing like the product I want and have been using for nearly 10 years. Extremely dissatisfied, why would they have two products and two prices and send the one you DONT PICK????
OUTPUT: negative

INPUT: I like these storage bins overall. The color of the lining inside wasn’t expected, it shows a light brown color in the photo but it’s pretty dark. I would have preferred the lining inside to match the outside, tan or grey. Other than that they are cute and look as pictured.
OUTPUT: neutral

INPUT: Just as advertised. Quick shipping.
OUTPUT: positive

INPUT: Help..... I ordered and paid for one and received 3. How do we handle this?? Don’t publish.... just answer
OUTPUT: neutral

INPUT: I did not receive the Fitbit Charge HR that I ordered, I got a Fitbit FLEX ,,, and I am very upset and do NOT like not receiving what I ordered
OUTPUT: negative

INPUT: I have a feeling they were worn before , they came in a repackage but the stitching on the shoes as a slight pink hue to it ? Doesn’t really show up on camera. They’re still pretty new and fit a bit tight but I should have ordered a size up
OUTPUT: neutral

INPUT: They sent HyClean which is NOT for the US market therefore this is deceptive marketing
OUTPUT: negative

INPUT: I ordered Copic Bold Primaries and got Copic Ciao Rainbow instead. Amazon gave me a full refund but still annoying to have to reorder and hopefully get the right item.
OUTPUT: negative

INPUT: I use these cartridges all the time, but this is my first time to order them from Amazon (I had a gift card on Amazon that needed to be used). The box which, actually, was shipped from Office Depot was damaged when it arrived; however, the cartridges appear not to be damaged. I'll find out for sure when I install them (not all at the same time). An interesting thing about my order: I wanted a box of 2 black cartridges, also, but there was a delivery charge on them because the order would be fulfilled by Office Depot - there was free shipping on the color cartridges (fulfilled by Amazon). Rather than pay shipping on the black cartridges, I bought them at the local Walmart for the same price as through Amazon -- no shipping charges. The interesting thing was that when the color cartridges arrived, they had been shipped by Office Depot -- no shipping charges on them. Why shipping charges on black but not color -- price on each was more than the $25 amount required for free shipping and both shipped from Office Depot? Doesn't make sense to me.
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task.


INPUT: 2 out of four came busted
OUTPUT: neutral

INPUT: These little lights are awesome. They put off a nice amount of light. And you can put them ANYWHERE! I have put one in the pantry. Another in my linen closet. Another one right next to my bed for when I get up in the middle of the night. Have only had them about a month but so far so good!
OUTPUT: positive

INPUT: The picture shows the fuel canister with the mosquito repeller attached so I assumed it would be included. However, when I opened the package I discovered there was no fuel. Since it is not included, the picture should be removed. If someone orders this and expects to use it immediately, like I did, they will be very disappointed.
OUTPUT: negative

INPUT: Well, I ordered the 100 pack and what came in the mail was silver eyeshadow....Yep, silver women’s eyeshadow...no blades....how does that happen???
OUTPUT: negative

INPUT: The package only had 1 rectangular pan and 1 cupcake pan. Missing 2 rectangular pans.
OUTPUT: negative

INPUT: Not exactly what I was expecting. Packaging was not in the best condition. Lights are bright and lots of different combos. Very thin light rope and was long enough to go around my mirror.
OUTPUT: neutral

INPUT: The light was easily assembled.... I had it up in about 15 minutes. Powered it up and I was in business. It has been running about a week or so and no problems to date.
OUTPUT: positive

INPUT: Order the set with 2 cables . Black housing. Only got 1 cable no housing
OUTPUT: negative

INPUT: Not all the colors of beads were included with my kit
OUTPUT: neutral

INPUT: I have never had a bad shipment of these and my yard is full of them, this last shipment has one strand that won't work at all and the other strand only works on flash, i'm definitely afraid to order any more of them.
OUTPUT: negative

INPUT: Only 6 of the 12 lights were included...
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task.


INPUT: What a really great set of acrylics. My daughter has been painting with them since they came in. The colors come in a wide range of vibrant colors that have a smooth consistency. These paints are packed in aluminum tubes which allows the paint to not dry or crack over time.
OUTPUT: positive

INPUT: I didn’t like that it was made out of plastic and that you had to put it together yourself.
OUTPUT: negative

INPUT: Im not sure if its just this sellers stock of this product or what but the first order was no good, each bottle had mold and clumps in the bottle and usually companies will put a couple of metal beads in a bottle to aid in the mixing but these had a rock in it... like a rock off the ground. I decided to replace the item, same seller, and once again they were all clumpy and gross... I attached a photo. I wouldnt buy these, at least not from this seller.
OUTPUT: negative

INPUT: Expensive for a kids soap
OUTPUT: neutral

INPUT: I would love to give this product 5 star but unfortunately it just doesn’t cut due to quality. I bought them only (and only) for my toddlers snacks. And for that purpose they work great. I would probably use them in other situations as well if they were all the same. And yes I understand, if they are hand carved from one piece of wood, there could be slight difference, but that’s where product quality control comes in. I guess they just didn’t want any faulty products and decided to sell them all no matter what.
OUTPUT: neutral

INPUT: Very cheaply made, do not think this is quality stainless steel. The leafs of the steamer were sticking together and not opening smoothly. Poor quality in comparison to the Pyrex brand I had for 15 years. Returned.
OUTPUT: negative

INPUT: Absolutely horrible vinyl does not stick at all I even had my heat breast up to 450 and it still wouldn't
OUTPUT: negative

INPUT: Cheap material. Broke after a couple month of usage and I emailed the company about it and never got a response. There are much better phone cases out there so don't waste your time with this one.
OUTPUT: negative

INPUT: Idk what is in these pads but they gave my nips some problems. When I nursed my baby and folded these down the adhesion would get all wonky and end up sticking to me. I love how thin they are but I’ve never have had problems with nursing pads like I did with these
OUTPUT: neutral

INPUT: The glitter gel flows, its super cute.
OUTPUT: positive

INPUT: This was not like the name brand polymer clays I am used to working with. This is much to plasticky feeling, hard to work with, it won’t soften up even the slightest bit with the heat from my hands like the name brand polymers. It was difficult to mold, roll, and impossible to create anything halfway decent looking. This is certainly a case of “you get what you pay for” Stick to the name brand if you want this for anything other than for a kid to mess around with. I am highly disappointed in everything except for the case it came in.
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task.


INPUT: There are no pockets for organization inside this bag. There are flat divided areas on the outside but not convenient. The material is good and has been durable thus far.
OUTPUT: neutral

INPUT: Overall I liked the phone especially for the price. The durability is my main issue I dropped the phone once onto a wood floor from about 12 inches and the screen cracked after having it for about 2 weeks. Otherwise it seemed to be a decent phone. It had a few little quirks that took a little getting used to but otherwise I think it wood be a good phone if it was more durable.
OUTPUT: neutral

INPUT: Too stiff, barely zips, and is very bulky
OUTPUT: negative

INPUT: I love how the waist doesn't have an elastic band in them. I have a bad back and tight waist bands always make my back feel worse.These feel decent...although If they could make them just one size larger..and not just offer plus size....that would be even better for my back.
OUTPUT: positive

INPUT: It will do the job of holding shoes. It's not glamorous, but it holds shoes and stands in a closet. You will need help with the shelving assembly as it is a two person job.
OUTPUT: neutral

INPUT: Upsetting...these only work if you have a thin phone and or no phone case at all. I'm not going to take my phone's case (which isn't thick) off Everytime I want to use the stand. Wast of money. Don't buy if you use a phone case to protect your phone it's too thin.
OUTPUT: negative

INPUT: I really love this product. I love how big it is compare to others diaper changing pads. I love the extra pockets and on top of that you get a free insulated bottle bag. All of that for an amazing price.
OUTPUT: positive

INPUT: Not super durable. The bag holds up okay but the drawstrings sometimes tear if the bag gets past a couple lbs.
OUTPUT: neutral

INPUT: Looks good. Clasp some times does not lock completely and the watch falls off. One time it fell off and the back cover popped off. I do get lots of compliments of color combination.
OUTPUT: neutral

INPUT: I like these storage bins overall. The color of the lining inside wasn’t expected, it shows a light brown color in the photo but it’s pretty dark. I would have preferred the lining inside to match the outside, tan or grey. Other than that they are cute and look as pictured.
OUTPUT: neutral

INPUT: All the pockets and functionality are just right. I can't really find anything about the usability that annoys me such as pockets or organization not quite right. The pockets are placed and sized well and I find them all useful. The most annoying thing about it is that it does not stand up straight on its own, however, it has a very predictable side that it falls to. It leans predictably so it is not an actual issue against it's overall usability.
OUTPUT:


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task.


INPUT: This dress is very comfortable. I would recommend wearing a slip under it as it is very thin. I’m going to have to hem the bottom because it’s long. I’m 5’5” and even in wedges it hits the floor. But it’s great for the price!
OUTPUT: positive

INPUT: Fantastic belt ,love it . This is my second one , the first one was a little small but this one is perfect. I suggest you order one size bigger than your waist size.
OUTPUT: negative

INPUT: This shirt is not long as the picture indicates. It's just below waist length. Disappointed b/c I am 5'10 and wanted to wear with leggings.
OUTPUT: negative

INPUT: The black one with the tassels on the front and it looks pretty cute, perfect for summer. I have broad shoulders so the looseness was great for me but if you are more petit you might not love how oversized it can look (specially the sleeves). Please note, it does SHRINK after washing (not even drying) so beware!! Also, it is very short but cute nonetheless.
OUTPUT: neutral

INPUT: It was recommended by a friend and found that things are really good to wear and I like them very much.
OUTPUT: positive

INPUT: Really cute outfit and fit well. But, the two bows fell off the top the first time worn. The bows were glued on opposed to sewn.
OUTPUT: neutral

INPUT: I didn't really have high hopes for this dress as I was expecting more of a costume-like dress, but I pleasantly was surprised! It is really cute and the fabric is thicker than I was expecting which is nice. It is a little tight around the neck and the zipper does not seem to be the strongest, but I got several complements and would highly recommend this dress!
OUTPUT: positive

INPUT: Looking at orher reviews the tail was supposed to be obscenely long -- it was actually the perfect size but im not sure if thats intentional. The waist strap fits perfectly-- but again, need to list that my waist is fairly wide and it sat on my hips. Im unsure about the life of the strap. To the actual quality the fur seems of a fair (not great but not terrible quality but the tail isnt fully stuffed.) Apparently theres supposed to be a wire to pose the tail. There is none in mine, which is fine cause again, mine came up shorter than others. Im only rating 3 stars because of some unintentional good things.
OUTPUT: neutral

INPUT: Terrific fabric and fit through belly, hips and thighs, but apparently these should be worn with 3" heels, which is ridiculous for exercise/loungewear. (Yes I'm being sarcastic.) Seriously: these were at least 4" too long to be comfortable (let alone safe to walk in). Back they go, and I won't try again.
OUTPUT: neutral

INPUT: This is even sexier than the pic! It has good control and is smooth under all my clothes! It's also comfortable and I'm able to easily wear it all day, it doesn't roll down either!
OUTPUT: positive

INPUT: Nice lightweight material without being cheap feeling. Generally the design is nice, except the waist. The sewn in waist band is high. If you are long waisted , it would be way above your waist. I am a medium which is what I ordered. The waistband is about at the last rib in the front. When you tie the attached belt there is an improvement. OK as a house dress for me. I'm 5'4" and it's bit bit long. I just knotted the corners of the bottom hem...that works.
OUTPUT:


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task.


INPUT: Easy to peel and stick. They don't fall off.
OUTPUT: positive

INPUT: It's only been a few weeks and it looks moldy & horrible. I bought from the manufacturer last year and had no problems.
OUTPUT: negative

INPUT: Bought this iPhone for my 9.7” 6th generation iPad as advertised. Not only did this take over 30 minutes just try to put it on, but it also doesn’t fit whatsoever. When we did get it on, it just bent right off the sides, exposing the entire edges of all the parts of the iPad. This is the worst piece of garbage I have bought from Amazon in years, save your money and go somewhere else!!
OUTPUT: negative

INPUT: very cute style and design, but tarnished after 1 wear!
OUTPUT: neutral

INPUT: This is THE BEST mascara I have found. I live in south Florida and this stays on through humidity, rain, everything and NO clumping or smudging. It's buildable and really easy to remove. LOVE IT!
OUTPUT: positive

INPUT: The paw prints are ALREADY coming off the bottom of the band where you snap it together, I've only worn it three times. Very upset that the paw prints have started rubbing off already 😡
OUTPUT: neutral

INPUT: Half of the pads were dried out. The others worked great!
OUTPUT: neutral

INPUT: Love this coverup! It’s super thin and very boho!! Always getting compliments on it!
OUTPUT: positive

INPUT: Beautifully crafted. No problem removing cake from pan and the cakes look very nice
OUTPUT: positive

INPUT: The clear backing lacks the stickiness to keep the letters adhered until you’re finished weeding! It’s so frustrating to have to keep up with a bunch of letters and pieces that have curled and fell off the paper! It requires additional work to make sure that they’re aligned properly and being applied on the right side, which was an issue for me several times! I purchased 3 packs of this and while it’s okay for larger designs, it sucks for lettering or anything intricate 😏 Possibly it’s old and dried out, but in any event, I will not be buying from this vendor again and suggest that you don’t either!
OUTPUT: negative

INPUT: Peeled off very quickly. Looked good for a short while; maybe a day.
OUTPUT:


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task.


INPUT: For the money, it's a good buy... but the fingerprint ID just doesn't work very good. After several attempts, it would not allow me to register my fingerprint. So... I just use the key to lock and unlock the safe, and that's not a problem. If you want something with the ability to open with your fingerprint, you'll need to spend a bit more, but if fingerprint id isn't something you absolutely need to have, then this safe is for you.
OUTPUT: neutral

INPUT: It will not turn on. It was a gift and the person called and said it does not work. It won't turn on. I would like to send back and get either another or my money back.
OUTPUT: negative

INPUT: Ordered these for my daughter as a Christmas present. When she opened the case 3 of the markers did not have the caps on and were completely dried out. She was very disappointed. She then starting testing all of them on a piece of paper, several of them began to run out of ink very quickly. Not happy with this product, tried to return, however these markets are an unreturnable item.
OUTPUT: negative

INPUT: This product does not work at all. I have tried it on two of my vehicles and it does not cover light scratches. Waste of money.
OUTPUT: negative

INPUT: The paw prints are ALREADY coming off the bottom of the band where you snap it together, I've only worn it three times. Very upset that the paw prints have started rubbing off already 😡
OUTPUT: neutral

INPUT: Does not work mixed this with process solution and 000 and nothing. Looked exactly the same as i first put it on.
OUTPUT: negative

INPUT: Had some problems getting it to work. The supplied cable was no good - would not charge the battery. When I replaced cable with my own was able to charge and then connect the device via bluetooth to a PC. Had trouble finding the PC software but when I emailed their support they responded within a day with the correct download info. PC program works well for testing the unit after you figure out which port to use (port 4 in my case). The accuracy and stability of the unit look very good for my application, however I was not able to connect to either an iPhone or iPad (tried several of each) via bluetooth. Will have to hard-wire if I decide to use this device in my product.
OUTPUT: neutral

INPUT: it does not work, only one hearing aid works at a time
OUTPUT: negative

INPUT: Total crap wouldn't even plug into the phone the pins were bent before I even tried to use it
OUTPUT: negative

INPUT: Doesn’t even work . Did nothing for me :(
OUTPUT: negative

INPUT: Finger print scanned does not work with it on
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task.


INPUT: This cable is not of very good quality. It doesn’t fit right so you have to hold the connector to the port in order to work.
OUTPUT: negative

INPUT: It didn’t work at all. All the wax got stuck at the top and would never flow.
OUTPUT: negative

INPUT: Needs a longer handle but that's my only complaint. Otherwise works well.
OUTPUT: neutral

INPUT: This product worked just as designed and was very easy to install.The setup is so simple for each load on the trailer.I would def recommend this item for anyone needing a break controller.
OUTPUT: positive

INPUT: I just got these in the mail. Work for like a minute and than gives me the accessory is not supported by this iPhone. I have the iPhone 7. It’s really wack for a deal of two of them
OUTPUT: negative

INPUT: Works as it says it will!
OUTPUT: positive

INPUT: Absolutely worthless! Adhesive does not stick!
OUTPUT: negative

INPUT: I've been using this product with my laundry for a while now and I like it, but I had to return it because it wasn't packaged right and everything was damaged.
OUTPUT: negative

INPUT: The iron works good, but its very small, almost delicate. The insulation parts on the tip were plastic not ceramic. Came with the plug that's a bonus. But it took quite a bit longer then most things on amazon to ship. I use it for soldering race drones, i ordered the smaller tip, and its actually to small for all but my micro drones. Had to order another tip. Gets hot pretty quick. Apparently this is a firmware upgrade you can do to make it better, but i didn't have to use it.
OUTPUT: neutral

INPUT: Had some problems getting it to work. The supplied cable was no good - would not charge the battery. When I replaced cable with my own was able to charge and then connect the device via bluetooth to a PC. Had trouble finding the PC software but when I emailed their support they responded within a day with the correct download info. PC program works well for testing the unit after you figure out which port to use (port 4 in my case). The accuracy and stability of the unit look very good for my application, however I was not able to connect to either an iPhone or iPad (tried several of each) via bluetooth. Will have to hard-wire if I decide to use this device in my product.
OUTPUT: neutral

INPUT: Works perfectly. Only criticism might be that the OD doesn’t match so it’s very apparent that an adapter is being used but glad to be able to use old attachments!
OUTPUT:


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task.


INPUT: Waste of money!! Don’t buy this product. just helping community. I trusted reviews about that but all wrong
OUTPUT: negative

INPUT: Not worth it the data cable had to move it in a certain position to make it work i just returned it back.
OUTPUT: negative

INPUT: Please do not buy this! I was so excited and I got one for me and my co worker because we freeze in our offices. It's so small and barely even heats up. One of them didn't even work at all!
OUTPUT: negative

INPUT: 2 out of three stopped working after two weeks.! Threw them all in the trash. Don't waste your money
OUTPUT: negative

INPUT: Very cheaply made, its not worth your money, ours came already broken and looks like it's been played with, retaped, resold.
OUTPUT: negative

INPUT: FIRE HAZARD DO NOT PURCHASE. Used once as instructed wires melted and caught fire!!!
OUTPUT: negative

INPUT: Does not work as I thought it would. It really doesn't help much. It only last for like a hour.
OUTPUT: neutral

INPUT: I don’t like it because i ordered twice they sent me the one expired. No good .I don’t want to buy anymore.
OUTPUT: negative

INPUT: Really can't say because cat refused to try it. I gave it to someone else to try
OUTPUT: negative

INPUT: Cheap, don’t work. Very dim. Not worth the money.
OUTPUT: negative

INPUT: DO NOT BUY! Device did not work after the first use and the company is ignoring my return request. You want the device to be reliable when you need it. I no longer trust this brand.
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task.


INPUT: Ordered these for a friend and he loved them!
OUTPUT: positive

INPUT: Too stiff, barely zips, and is very bulky
OUTPUT: negative

INPUT: Picture was incredibly misleading. Shown as a large roll and figured the size would work for my project, then I received the size of a piece of paper.
OUTPUT: negative

INPUT: Awesome little pillow! Made it easy to transport on my motorcycle.
OUTPUT: positive

INPUT: Perfect brush, small radius, and good quality.
OUTPUT: positive

INPUT: This is even sexier than the pic! It has good control and is smooth under all my clothes! It's also comfortable and I'm able to easily wear it all day, it doesn't roll down either!
OUTPUT: positive

INPUT: My kids love their bags! Carry them everywhere and are very durable.
OUTPUT: positive

INPUT: They’re cute and work well for my kids. Price is definitely great for kids sheets.
OUTPUT: positive

INPUT: These are awesome! I just used them on my 12 ft Christmas tree so I could get it out the door. So easy to use that I’m going to buy another pair.
OUTPUT: positive

INPUT: I like this product, make me feel comfortable. I can use it convenient. The price is very cheap.
OUTPUT: positive

INPUT: Love these rollers! Very compact and easy to travel with!
OUTPUT:


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task.


INPUT: Easy to peel and stick. They don't fall off.
OUTPUT: positive

INPUT: I was totally looking forward to using this because I tried the original solution and it was great but it burned my skin because I have sensitive skin but this one Burns and makes my make up look like crap I wouldn’t recommend it at all don’t waste your money
OUTPUT: negative

INPUT: Wore it when I went to the bar a couple times and the silver coating started to rub off but for the price I cannot complain. My biggest issue I have with it is it flipping around. Got a lot of compliments though.
OUTPUT: neutral

INPUT: The first guard may serve more as a learning curve. I do kinda prefer to use the ones that come with molding trays. This didn't help until about 3-4 nights of use. Even then, sometimes it feels like my upper gum underneath, is strange feeling the next morning
OUTPUT: neutral

INPUT: Absolutely horrible vinyl does not stick at all I even had my heat breast up to 450 and it still wouldn't
OUTPUT: negative

INPUT: Clumpy, creases on my lips, patchy, all in all not worth it. Have to scrub my lips nearly off with makeup remover to get it all off.
OUTPUT: negative

INPUT: Doesn’t even work . Did nothing for me :(
OUTPUT: negative

INPUT: The clear backing lacks the stickiness to keep the letters adhered until you’re finished weeding! It’s so frustrating to have to keep up with a bunch of letters and pieces that have curled and fell off the paper! It requires additional work to make sure that they’re aligned properly and being applied on the right side, which was an issue for me several times! I purchased 3 packs of this and while it’s okay for larger designs, it sucks for lettering or anything intricate 😏 Possibly it’s old and dried out, but in any event, I will not be buying from this vendor again and suggest that you don’t either!
OUTPUT: negative

INPUT: This product does not work at all. I have tried it on two of my vehicles and it does not cover light scratches. Waste of money.
OUTPUT: negative

INPUT: Terrible product, wouldn't stick tok edges of the phone
OUTPUT: negative

INPUT: Maybe I’m not that good at applying it. But it seems really hard to get on without streaks, and it only seems to work okay
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task.


INPUT: Very poorly packaged. The glasses banged each other. Should have been bubble wrapped. So bummed that I can’t use these for a party tonight!
OUTPUT: negative

INPUT: Half of the pads were dried out. The others worked great!
OUTPUT: neutral

INPUT: I've been using this product with my laundry for a while now and I like it, but I had to return it because it wasn't packaged right and everything was damaged.
OUTPUT: negative

INPUT: The clear backing lacks the stickiness to keep the letters adhered until you’re finished weeding! It’s so frustrating to have to keep up with a bunch of letters and pieces that have curled and fell off the paper! It requires additional work to make sure that they’re aligned properly and being applied on the right side, which was an issue for me several times! I purchased 3 packs of this and while it’s okay for larger designs, it sucks for lettering or anything intricate 😏 Possibly it’s old and dried out, but in any event, I will not be buying from this vendor again and suggest that you don’t either!
OUTPUT: negative

INPUT: Ordered two identical rolls. One arrived with the vacuum bag having a large hole poked in the center - almost the size of the center hub hole. Since the roll arrives in a product box the hole either occurred before boxing at the manufacturer or I received a return. The seller responded promptly and asked for photos, which I provided. Then they asked if there was anything wrong with the product. Huh? I replied it has some issues (likely moisture related). Then they asked for details of issues. Huh? Well, I've had enough of providing them details of the damaged/defective product.
OUTPUT: neutral

INPUT: The case and disc were clean when I got them. No cracks to the case and the game worked as needed. The game itself is wonderful, full of adventure. There isn't much in replay value per se, yet most of the players find themselves going back for more, if only to level up their characters.
OUTPUT: positive

INPUT: The small cover didn’t seem to work very well. I don’t feel that they do Avery good job from keeping the avocado from turning brown
OUTPUT: neutral

INPUT: Mango butter was extremely dry upon delivery.
OUTPUT: negative

INPUT: Easy to peel and stick. They don't fall off.
OUTPUT: positive

INPUT: Quick shipping, Quality product, Perfect fit
OUTPUT: positive

INPUT: The product is fine and the delivery was fast, but there's no way to seal the package once it's opened. There's a wide piece of tape, but you have to cut the package open to get into it unlike most wipes that have a slit with an adhesive to cover it afterward. If you don't seal them back up they go dry and are useless.
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task.


INPUT: Easy to use, quick and mostly painless!
OUTPUT: positive

INPUT: Really cute outfit and fit well. But, the two bows fell off the top the first time worn. The bows were glued on opposed to sewn.
OUTPUT: neutral

INPUT: As a hard shell jacket, it’s pretty good. I ordered the extra large for a skiing trip. It comes small so order a size bigger then normal. I can not use the fleece liner because it is too small. The hard shell is not water proof. I live in the Pacific Northwest and this is not enough to keep you dry. I really like the look of this jacket too.
OUTPUT: neutral

INPUT: Perfect brush, small radius, and good quality.
OUTPUT: positive

INPUT: Very strong cheap pleather smell that took a few days to air out. One of the straps clips onto the zipper, so be careful of the zipper slowly coming undone as you walk.
OUTPUT: neutral

INPUT: Awesome little pillow! Made it easy to transport on my motorcycle.
OUTPUT: positive

INPUT: Comfortable and worth the purchase
OUTPUT: positive

INPUT: Too stiff, barely zips, and is very bulky
OUTPUT: negative

INPUT: Cute, soft and great for a baby that’s 1 and loves Bubble Guppies.
OUTPUT: positive

INPUT: Easy to clean. Great length for my toddler!
OUTPUT: positive

INPUT: Very breathable and easy to put on.
OUTPUT:


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task.


INPUT: Overall I liked the phone especially for the price. The durability is my main issue I dropped the phone once onto a wood floor from about 12 inches and the screen cracked after having it for about 2 weeks. Otherwise it seemed to be a decent phone. It had a few little quirks that took a little getting used to but otherwise I think it wood be a good phone if it was more durable.
OUTPUT: neutral

INPUT: I thought it was much bigger, it's look like a new born baby ear ring.
OUTPUT: neutral

INPUT: I like this swim suit but it fits really small. I am a size 14 and per reviews that's what I ordered. It runs really small. Also a lot of mesh in the back and on the sides of this suit. Don't like that. its going back....sad
OUTPUT: negative

INPUT: I ordered a screen for an iPhone 8 Plus, but recevied product that was for a different phone. A significantly smaller phone.
OUTPUT: negative

INPUT: Bought this Feb 2019. Its already wore down and in need of replacement. I dont recommend one purchase this unless its jus for looks.
OUTPUT: negative

INPUT: It's super cute, really soft. Print is fine but mine is way too long. It's hits at the knee for everyone else but mine is like mid calf. Had to take a few inches off. I'm 5'4"
OUTPUT: neutral

INPUT: Cheap material. Broke after a couple month of usage and I emailed the company about it and never got a response. There are much better phone cases out there so don't waste your time with this one.
OUTPUT: negative

INPUT: Great case. Daughter loves it.
OUTPUT: positive

INPUT: Worst iPhone charger ever. The charger head broke after used for 5 Times. Terrible quality.
OUTPUT: negative

INPUT: Bought this iPhone for my 9.7” 6th generation iPad as advertised. Not only did this take over 30 minutes just try to put it on, but it also doesn’t fit whatsoever. When we did get it on, it just bent right off the sides, exposing the entire edges of all the parts of the iPad. This is the worst piece of garbage I have bought from Amazon in years, save your money and go somewhere else!!
OUTPUT: negative

INPUT: I bought this for my daughter for her new phone and she loves it! It fits the phone very well and looks super cute. It also feels nice and sturdy.
OUTPUT:


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task.


INPUT: ordered and never received it.
OUTPUT: negative

INPUT: I recieved a totally different product than I ordered (pictured) and I see that I cannot return it !?! I give them one star just because I'm tryin to be nice. I ordered these black hats for a christmas project that I am doin with my 5 yr old son for his classroom and now I'm afraid to even try to reorder them again in fear that I'll recieve another different product.
OUTPUT: negative

INPUT: Help..... I ordered and paid for one and received 3. How do we handle this?? Don’t publish.... just answer
OUTPUT: neutral

INPUT: It will not turn on. It was a gift and the person called and said it does not work. It won't turn on. I would like to send back and get either another or my money back.
OUTPUT: negative

INPUT: I bought the surprise shirt for grandparents, but was sent one for an aunt. I was planning on surprising them with this shirt tomorrow in a cute way, but now I have to postpone the get together until I receive the correct item sent hopefully right this time.
OUTPUT: negative

INPUT: Product received was not the product ordered. It was a different set without a kettle and their were ants crawling in and out of the box so i didnt even open it but the picture shows a different item with no kettle. I was sent the same thing as a replacement. Fast shipping though.
OUTPUT: negative

INPUT: Ordered this product twice and was sent the wrong product twice.
OUTPUT: neutral

INPUT: Never receive my cases and never answer
OUTPUT: negative

INPUT: I never bought this product so why the hell isn't showing up in my order history
OUTPUT: negative

INPUT: The item ordered came exactly as advertised. I highly recommend this vendor and would order from them again.
OUTPUT: positive

INPUT: never received my order
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task.


INPUT: For the S3 Gold: Color matches perfectly, but the band I received is not the same quality as the other BRG bands I’ve bought. The middle metal clasp that attaches to the watch is extremely loose. The entire clasp that slides into the watch is also loose and wiggles. The magnetic clasp to lock the bracelet in place also slides off easily. I love that the color matches, but I either got a defective band or the quality has gone down.
OUTPUT: negative

INPUT: This item appears to be the same as one I purchased from a local hardware store a year or so ago, but it is not finished or burnished to the quality of the one I previously purchased. As such it looks dull, but not exceedingly so. It is close enough to be acceptable.
OUTPUT: neutral

INPUT: Well, I ordered the 100 pack and what came in the mail was silver eyeshadow....Yep, silver women’s eyeshadow...no blades....how does that happen???
OUTPUT: negative

INPUT: Just what I expected! Very nice!
OUTPUT: positive

INPUT: I thought it was much bigger, it's look like a new born baby ear ring.
OUTPUT: neutral

INPUT: The toy is ok but it came in what they call "standard packaging" and that amounted to a plain brown cardboard box, NOT the colorful box in the photo. Can't give this as a gift in this cardboard packaging.
OUTPUT: neutral

INPUT: Very good price for a nice quality bracelet. My sister loved her birthday present! She wears it everyday.
OUTPUT: positive

INPUT: The dress looked nothing like the picture! It was short, tight and cheap looking and fitting!
OUTPUT: negative

INPUT: The item ordered came exactly as advertised. I highly recommend this vendor and would order from them again.
OUTPUT: positive

INPUT: The glitter gel flows, its super cute.
OUTPUT: positive

INPUT: This product is not as viewed in the picture, was assuming it would be gold but came in a silver color. Slightly disappointed but not worth returning due to the quality of price.
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task.


INPUT: Worst iPhone charger ever. The charger head broke after used for 5 Times. Terrible quality.
OUTPUT: negative

INPUT: few cables not working, please reply what to do?
OUTPUT: neutral

INPUT: This cable is not of very good quality. It doesn’t fit right so you have to hold the connector to the port in order to work.
OUTPUT: negative

INPUT: Not enough information and it seems to behave erratically. Not contacted Tech Support yet. Support URL in printed instructions is dead. Needs better instructions for VOIP POTS without cordless phones in home. I am somewhat allergic to radios. Literature does not tell what to expect when CPR Call blocker is disconnected for short period of time. It depends entirely on talk line battery. I need it to work and am not giving up. Tech support seems to be illusive.
OUTPUT: neutral

INPUT: Had some problems getting it to work. The supplied cable was no good - would not charge the battery. When I replaced cable with my own was able to charge and then connect the device via bluetooth to a PC. Had trouble finding the PC software but when I emailed their support they responded within a day with the correct download info. PC program works well for testing the unit after you figure out which port to use (port 4 in my case). The accuracy and stability of the unit look very good for my application, however I was not able to connect to either an iPhone or iPad (tried several of each) via bluetooth. Will have to hard-wire if I decide to use this device in my product.
OUTPUT: neutral

INPUT: I had it less than a week and the c type tip that connects to my S9 got burnt.
OUTPUT: negative

INPUT: These are very fragile. I have a cat who is a bit rambunctious and sometimes knocks my phone off my nightstand while it's plugged in. He managed to break all of these the first or second time he did that. I'm sure they're fine if you're very careful with them, but if whatever you're charging falls off a table or nightstand while plugged in, these are very likely to stop working quickly.
OUTPUT: negative

INPUT: Hit a bump while driving, and it falls off the vent. Phone holder needs to be reinserted into the vent after every use as it wiggled half off the vent.
OUTPUT: neutral

INPUT: I initially was impressed by the material quality of the headphones, but as I connected the headphones to listen to my song there was a problem. There is constantly this weird "old cable tv that has lost it's signal sound" in the background when trying to listen to anything. Pretty disappointed.
OUTPUT: neutral

INPUT: It already stopped working. It no longer charges.
OUTPUT: negative

INPUT: Worst cable I have had to date for my iphone. It's so stiff if you move it at all while plugged in, it disconnects. I have to carefully plug it in all the way and it doesn't give that really solid click feel, then if disturbed at all it loses connection. I have another Anker Powerline 1 cable and it has been great. Not sure how the II can go backwards. My window to return has closed so I guess I'll contact them directly and see if they will replace with a different cable.
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task.


INPUT: Not worth it the data cable had to move it in a certain position to make it work i just returned it back.
OUTPUT: negative

INPUT: Mediocre all around. Durability is "meh". Find a good (modular) set that will last you 10x the durability. This isn't the cheap Chinese headphones you have been looking for. Look for IEM
OUTPUT: neutral

INPUT: I bought this modem/router about two years ago. At the start it seemed to be ok but for the last year plus I’ve had problems with it dropping the internet. This happens on all my devices both Wi-Fi and wired. The only way to restore service was to do a AC power reset. This was happening once or twice a day. Comcast came out, ran a new coax line from the pedestal to the house and boosted the signal level. Same problem. The Arris Tech guys were great but could not solve the problem. Additionally, I lost the 5G service on three occasions. I had to do a factory reset to restore this. I cannot recommend this modem/router based upon my experiences. I purchased a Netgear AC1900 modem/router. It’s fantastic. I’v Had it for over a week with no problems. It’s faster and the range is greater than the Arris. I read online that other people have had problems with the Arris modem/router connected to Comcast. If you have Comcast internet I do not recommend this Arris modem/router. Get the Netgear, its much more reliable.
OUTPUT: negative

INPUT: The case and disc were clean when I got them. No cracks to the case and the game worked as needed. The game itself is wonderful, full of adventure. There isn't much in replay value per se, yet most of the players find themselves going back for more, if only to level up their characters.
OUTPUT: positive

INPUT: Stop using Amazon Delivery Drivers, they are incompetent and continually damage packages
OUTPUT: negative

INPUT: DON'T!!! Mine stopped playing 3 days after return deadline ended.
OUTPUT: negative

INPUT: Haven’t used it but everything seems great
OUTPUT: positive

INPUT: Fantastic buy! Computer arrived quickly and was well packaged. Everything looks and performs like new. I had a problem with a cable. I contacted the seller and they immediately sent me out a new one. I can't say enough good things about about this purchase and this computer. I will definitely use them again.
OUTPUT: positive

INPUT: Love listening to these CDs. Would recommend!
OUTPUT: positive

INPUT: cheap and waste of money
OUTPUT: negative

INPUT: Had Western Digital in all my builds and they've been great. Decided to try the Fire Cuda and it failed two weeks in and I lost so much data. Never again!!
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task.


INPUT: 2 out of three stopped working after two weeks.! Threw them all in the trash. Don't waste your money
OUTPUT: negative

INPUT: Works very well. Easy to set alarms, and time. The snooze/backlight function is pretty neat too. The dim back light is also nice so that you can actually read the time in the dark.
OUTPUT: positive

INPUT: Wow. I want that time back. What a huge BORE!!
OUTPUT: negative

INPUT: When we received the scoreboard it was broken. We called for support and left our number for a call back. 3 days later no call. Terrible service!
OUTPUT: negative

INPUT: One half stopped working after month of use
OUTPUT: negative

INPUT: I just got these in the mail. Work for like a minute and than gives me the accessory is not supported by this iPhone. I have the iPhone 7. It’s really wack for a deal of two of them
OUTPUT: negative

INPUT: Not worth it the data cable had to move it in a certain position to make it work i just returned it back.
OUTPUT: negative

INPUT: Doesn’t even work . Did nothing for me :(
OUTPUT: negative

INPUT: Bought this Feb 2019. Its already wore down and in need of replacement. I dont recommend one purchase this unless its jus for looks.
OUTPUT: negative

INPUT: I don't like anything about it and I don't like that it is not able to be returned. JUNK!
OUTPUT: negative

INPUT: The time display stopped working after 3 months. Can now see only bottom half of numbers. Don't buy.
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task.


INPUT: I did a lot of thinking as I read this book. I felt as though I could really picture what the main character was going through. The author did a great job describing the situations and events. I really rooted for the main character and felt her struggles. It seems as though she had to over come a lot to once again over come a lot. She had a group of interesting characters both supporting her and also ones who were against her. Not a plot to be predicted. I highly recommend this book. It grabbed my attention from the first page and had me thinking about it long after. I look forward to reading the author's next book.
OUTPUT: positive

INPUT: Love the humor and the stories. Very entertaining. BOL!!!
OUTPUT: positive

INPUT: Very informative Halloween Recipes For Kids book. This book is just what I needed with great and delicious recipe ideas. I will make a gift for my mom on her birthday. Thanks, author!
OUTPUT: positive

INPUT: Excellent read!! I absolutely loved the book!! I’ve adopted 4 Siamese cats from Siri over the years and everyone of them were absolute loves. Once you start to read this book, it’s hard to put down. Funny, witty and very entertaining!! Siri has gone above and beyond in her efforts to rescue cats (mainly Siamese)!!
OUTPUT: positive

INPUT: Holy Crap what a Cliffy! Loved this book from beginning to end and is my absolute favorite so far! Can’t wait for book 4!
OUTPUT: positive

INPUT: Challenging. Love the fact that each session extends into 6 more days of devotional study. We are focusing each study for a 2 week period. Awesome focus point for personal growth as building meaningful relationships within our group. Thank you !
OUTPUT: positive

INPUT: This makes almost the whole series. Roman Nights will be the last one. Loved them all. Alaskan Nights was awesome. Met my expectations , hot SEAL hero, beautiful & feisty woman. Filled with intrigue, steamy romance & nail biting ending. Have read two other books of yours. Am looking forward to more.
OUTPUT: positive

INPUT: The book is very informative, with great tips and tricks about how to travel as well as what the locations are about which is both it's good and bad aspect. It gives so much interesting context, it may be overly insightful. For the person who must know everything, this is great. For the person who has no idea. Googling will suffice.
OUTPUT: neutral

INPUT: God loved them they were hot together like he said his half of a whole his Ying to his yang I loved everything about this book I hope X and Raven stay together and get only stronger together one isn’t the other without the other they need each other loved this book it is dark but smoking
OUTPUT: positive

INPUT: What a wonderful first book in a new series. I love all of Ms. Kennedy’s books and I eagerly one clicked this one. It has engaging characters, a strong storyline and hot encounters. I really enjoyed it.
OUTPUT: positive

INPUT: Great story, characters and everything else. I can not recommend this more!
OUTPUT:


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task.


INPUT: I thought it was much bigger, it's look like a new born baby ear ring.
OUTPUT: neutral

INPUT: This dress is very comfortable. I would recommend wearing a slip under it as it is very thin. I’m going to have to hem the bottom because it’s long. I’m 5’5” and even in wedges it hits the floor. But it’s great for the price!
OUTPUT: positive

INPUT: I really Like this ring light! It is wonderful for the price and it gets the job done! The only issue is the light bulb heats up too fast and the light goes out, so I have to turn it off wait for a while then turn it back on. I don't think that is supposed to happen...I don't know if I have a defective light or what, but it is a very nice ring light besides the overheating.
OUTPUT: neutral

INPUT: Sorry but these are a waist of money. Washed my handy one time and they come right off. I even glued them on because they were so cheep and didn’t stay when you put the ring on .
OUTPUT: negative

INPUT: This sweatshirt changed my life. I wore this sweatshirt almost every single day from January 25th, 2017 up until last week or so when the hood fell off after almost a year of abuse. This sweatshirt has made me realize that the small things in life are the things that matter. Thank you Hanes, keep doing what you do. Love, Justin
OUTPUT: positive

INPUT: Fantastic belt ,love it . This is my second one , the first one was a little small but this one is perfect. I suggest you order one size bigger than your waist size.
OUTPUT: negative

INPUT: asian size is too small
OUTPUT: neutral

INPUT: The black one with the tassels on the front and it looks pretty cute, perfect for summer. I have broad shoulders so the looseness was great for me but if you are more petit you might not love how oversized it can look (specially the sleeves). Please note, it does SHRINK after washing (not even drying) so beware!! Also, it is very short but cute nonetheless.
OUTPUT: neutral

INPUT: It was recommended by a friend and found that things are really good to wear and I like them very much.
OUTPUT: positive

INPUT: These rings are dainty & adorable! Can be worn alone or stacked. The craftsmanship put into these rings, is very evident! I will definitely be buying more!!
OUTPUT: positive

INPUT: I love the way the ring looks and feels. It's just I chose 5.5 for my ring size and I referenced it to the size chart but it still but it's big on me.
OUTPUT:


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task.


INPUT: Granddaughter really likes it for her volleyball. well constructed and nice way to carry ball.
OUTPUT: positive

INPUT: When i opened the package 2 of them were broken. Very disappointing
OUTPUT: negative

INPUT: These are great for SO many things. Originally I had them in my drink at a club but then later bought them for my wedding center pieces. The light stays on for weeks but becomes dim after 3 or 4 days. We had a great time leaving the extra ones around the party and will use the extra ones for fun.
OUTPUT: positive

INPUT: They are huge!! Want too big for me.
OUTPUT: neutral

INPUT: The glitter gel flows, its super cute.
OUTPUT: positive

INPUT: It was recommended by a friend and found that things are really good to wear and I like them very much.
OUTPUT: positive

INPUT: My dog loves this toy, I haven't seen hear more thrill with any other toy, for the first three days, which is how long the squeaker lasted. She is not a heavy chewer, and in one of her "victory walks" after retrieving the ball, the squeaker was already gone. Apart from that it is my best investment
OUTPUT: neutral

INPUT: The toy is ok but it came in what they call "standard packaging" and that amounted to a plain brown cardboard box, NOT the colorful box in the photo. Can't give this as a gift in this cardboard packaging.
OUTPUT: neutral

INPUT: My kids love their bags! Carry them everywhere and are very durable.
OUTPUT: positive

INPUT: Lamp works perfectly for my chicks
OUTPUT: positive

INPUT: My girls love them, but the ball that lights up busted as soon as I removed from the package.
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task.


INPUT: My puppies loved it!
OUTPUT: positive

INPUT: Chair is really good for price! I have 6 children so I was looking for something not to expensive but good, this chair is really good comparing with others and good prices
OUTPUT: positive

INPUT: This is my third G-shock as I have been addicted to this watch and can never probably use a different brand. Not only this is a beautiful watch, it is also water resistant and is very durable. Good purchase overall and I love the dark blue color. I only miss the night light, which this one does not have
OUTPUT: positive

INPUT: Its good for the loose skin postpartum. I'm gonna use it for another waist trainer. Not tight enough.
OUTPUT: neutral

INPUT: Awesome little pillow! Made it easy to transport on my motorcycle.
OUTPUT: positive

INPUT: This sweatshirt changed my life. I wore this sweatshirt almost every single day from January 25th, 2017 up until last week or so when the hood fell off after almost a year of abuse. This sweatshirt has made me realize that the small things in life are the things that matter. Thank you Hanes, keep doing what you do. Love, Justin
OUTPUT: positive

INPUT: This is a neat toy. It is fun to play with. The track pieces snap together easily. It keeps kids entertained. It comes with dinosaurs. It is made very well.
OUTPUT: positive

INPUT: We have a smooth collie who is about 80 pounds. Thank goodness she just jumps into the tub. When she jumps back out it takes multiple towels to get her dry enough to use the hair dryer. Yes, she really is a typical girl and does not mind the hair dryer at all. I bought this hoping it would absorb enough to get her dry without any additional towels. Did not work for Stella. Now, I am sure it would work for a small dog and is a very nice towel. If you have a small dog, go ahead and get it.
OUTPUT: neutral

INPUT: She loved very much as a birthday gift and also said it will come in handy for all kinds of outings.
OUTPUT: positive

INPUT: Excellent read!! I absolutely loved the book!! I’ve adopted 4 Siamese cats from Siri over the years and everyone of them were absolute loves. Once you start to read this book, it’s hard to put down. Funny, witty and very entertaining!! Siri has gone above and beyond in her efforts to rescue cats (mainly Siamese)!!
OUTPUT: positive

INPUT: Love this booster seat ! My miniature schnauzer Chloe is with me most of the time. She loves riding in the car. Before she couldn't see over dashboard in my truck. Now she can and she loves it. She watches everything going on. Thank you for a well made product. We would order again.
OUTPUT:


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task.


INPUT: Good deal for a good price
OUTPUT: positive

INPUT: My cousin has one for his kid, my daughter loves it. I got one for my back yard,but not easy to find a good spot to hang it. After i cut some trees, now its prefect. Having lots of fun with my daughter. Nice swing, easy to install.
OUTPUT: positive

INPUT: Very cheaply made, its not worth your money, ours came already broken and looks like it's been played with, retaped, resold.
OUTPUT: negative

INPUT: spacious , love it and get many compliments
OUTPUT: positive

INPUT: Mediocre all around. Durability is "meh". Find a good (modular) set that will last you 10x the durability. This isn't the cheap Chinese headphones you have been looking for. Look for IEM
OUTPUT: neutral

INPUT: Quality made from a family business. Sometimes a challenge to move around due to the chew toys hanging off but gives our puppy something to knaw on throughout the night. 5 month update: Our dog doesn't destroy many toys but since he truly loves this one he has ripped off the head, the tail rope, torn a few corner rope rings, put teeth marks in the internal foam and now ripped the underside of the cover. I'm giving this 4 stars still due to the simple fact that he LOVES this thing. Purchased right before they sold out, maybe the new model is more durable. Update with new model: The newer model has some areas where design has decreased in quality. The "tail" rope is not attached nearly as well as the first one. However, so far nothing has been ripped off of it in the 3 weeks since we have received it. He still loves it though!
OUTPUT: neutral

INPUT: Chair is really good for price! I have 6 children so I was looking for something not to expensive but good, this chair is really good comparing with others and good prices
OUTPUT: positive

INPUT: Overall I liked the phone especially for the price. The durability is my main issue I dropped the phone once onto a wood floor from about 12 inches and the screen cracked after having it for about 2 weeks. Otherwise it seemed to be a decent phone. It had a few little quirks that took a little getting used to but otherwise I think it wood be a good phone if it was more durable.
OUTPUT: neutral

INPUT: I like the price on these. Although they are ridiculously hard to open due to the 2 lines to lock it. Also they don’t stand up straight.
OUTPUT: neutral

INPUT: Pretty dam good cutters
OUTPUT: positive

INPUT: well built for the price
OUTPUT:


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task.


INPUT: I did a lot of thinking as I read this book. I felt as though I could really picture what the main character was going through. The author did a great job describing the situations and events. I really rooted for the main character and felt her struggles. It seems as though she had to over come a lot to once again over come a lot. She had a group of interesting characters both supporting her and also ones who were against her. Not a plot to be predicted. I highly recommend this book. It grabbed my attention from the first page and had me thinking about it long after. I look forward to reading the author's next book.
OUTPUT: positive

INPUT: Challenging. Love the fact that each session extends into 6 more days of devotional study. We are focusing each study for a 2 week period. Awesome focus point for personal growth as building meaningful relationships within our group. Thank you !
OUTPUT: positive

INPUT: Very informative Halloween Recipes For Kids book. This book is just what I needed with great and delicious recipe ideas. I will make a gift for my mom on her birthday. Thanks, author!
OUTPUT: positive

INPUT: Enjoyable but at times confusing and difficult to follow.
OUTPUT: neutral

INPUT: The book is fabulous, but not in the condition i was lead to believe it was in. I thought i was buying a good used copy, what i got is torn cover and some kind of humidity damaged book. I give 5 stars for the book, 2 stars for the condition.
OUTPUT: neutral

INPUT: The book is very informative, with great tips and tricks about how to travel as well as what the locations are about which is both it's good and bad aspect. It gives so much interesting context, it may be overly insightful. For the person who must know everything, this is great. For the person who has no idea. Googling will suffice.
OUTPUT: neutral

INPUT: Great book for daily living
OUTPUT: positive

INPUT: Excellent read!! I absolutely loved the book!! I’ve adopted 4 Siamese cats from Siri over the years and everyone of them were absolute loves. Once you start to read this book, it’s hard to put down. Funny, witty and very entertaining!! Siri has gone above and beyond in her efforts to rescue cats (mainly Siamese)!!
OUTPUT: positive

INPUT: Michener the philosopher of the 20th Century clothed as a novelist. In an engaging style, tantalizingly follows the life of a Jew, an Arab, and an American Catholic at an archeological dig in Israel to tell the painful history of modern Judaism. Somehow he finds hope for both Israel, Jew, Arab, and in an amazing way Palestine.
OUTPUT: positive

INPUT: This makes almost the whole series. Roman Nights will be the last one. Loved them all. Alaskan Nights was awesome. Met my expectations , hot SEAL hero, beautiful & feisty woman. Filled with intrigue, steamy romance & nail biting ending. Have read two other books of yours. Am looking forward to more.
OUTPUT: positive

INPUT: I'm almost done with this book, but its a little too wordy and not intense enough for me.
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task.


INPUT: I bought these for a replacement for the original band that broke. Fits perfectly with no issues.
OUTPUT: positive

INPUT: The small cover didn’t seem to work very well. I don’t feel that they do Avery good job from keeping the avocado from turning brown
OUTPUT: neutral

INPUT: Ordered this for a Santa present and Christmas Eve noticed it came broken!
OUTPUT: negative

INPUT: my problem with the product is the fit. I have a large head and it is too tight everywhere and the neck just doesnt feel right. I want to pull it down but then my nose has no room. I can't use it because of the poor fit.
OUTPUT: negative

INPUT: This case is ok, but not exceptional - a 3.5 or 4 max. The issue is there are fewer cases available for the Tab A 10.1 w S pen. Of those the Gumdrop is about the best, but it has some serious issues. The case rubber (silicone, whatever) is very smooth and slick, and doesn't give you a lot of confidence when hold the Tab with one hand. The Tab A is heavy so if your laying down watching a video the case slips in your hand so you have to make frequent adjustments. I had to remove the clear plastic shield that covers the screen because it impaired the touch screen operation. This affected the strength of the 1-piece plastic frame the surrounds the Tab A, so now the rubber outer cover feels really flexible and flimsy. Lastly, they made it difficult to get to the S pen. The S pen is in the back bottom right hand corner of the Tab A, and they made the little rubber flap that protects corner swing backwards for access to the S pen. This means in order to get the S pen out, the flap has to swing out 180 degrees. This is really awkward and hard to do with one hand. This case does a good job protecting my Tab A, but with these serious design flaws I can't recommend it unless you have an S pen, then you don't have much choice.
OUTPUT: neutral

INPUT: They were supposed to be “universal” but did not cover the whole seat of a Dodge Ram 97
OUTPUT: negative

INPUT: Awkward shape, does not fit all butter sticks
OUTPUT: neutral

INPUT: The dress fits perfect! It’s a tad too long but not enough to bother with the hassle of getting it hemmed. The material is extremely comfortable and I love the pockets! I WILL be ordering a couple more in different colors.
OUTPUT: positive

INPUT: The product fits fine and looks good. turn signal and heated mirror work. Unfortunately, the mirror vibrates on rough roads and rattles going over bumps. Plan to return it for a replacement.
OUTPUT: negative

INPUT: Quality product. I just wish there were choices for the cover, it's hideous.
OUTPUT: neutral

INPUT: Fit as expected to replace broken cover
OUTPUT:


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task.


INPUT: I am returning product, I’ve been getting the same Wella Brilliance shampoo for years...the darker and cheaper one circled, and the last Two deliveries were the lighter bottle which smells nothing like the product I want and have been using for nearly 10 years. Extremely dissatisfied, why would they have two products and two prices and send the one you DONT PICK????
OUTPUT: negative

INPUT: These rings are dainty & adorable! Can be worn alone or stacked. The craftsmanship put into these rings, is very evident! I will definitely be buying more!!
OUTPUT: positive

INPUT: my expectations were low for a cheap scale. they were not met, scale doesnt work. popped the cover off the back to put a battery in and the wires were cut and damaged. wouldn't even turn on. sending it back. product is flimsy and cheap, spend 20 extra bucks on a better brand or scale.
OUTPUT: negative

INPUT: For the S3 Gold: Color matches perfectly, but the band I received is not the same quality as the other BRG bands I’ve bought. The middle metal clasp that attaches to the watch is extremely loose. The entire clasp that slides into the watch is also loose and wiggles. The magnetic clasp to lock the bracelet in place also slides off easily. I love that the color matches, but I either got a defective band or the quality has gone down.
OUTPUT: negative

INPUT: You want an HONEST answer? I just returned from UPS where I returned the FARCE of an earring set to Amazon. It did NOT look like what I saw on Amazon. Only a baby would be able to wear the size of the earring. They were SO small. the size of a pin head I at first thought Amazon had forgotten to enclose them in the bag! I didn't bother to take them out of the bag and you can have them back. Will NEVER order another thing from your company. A disgrace. Honest enough for you? Grandma
OUTPUT: negative

INPUT: Okay pool cue. However you can buy one 4 oz. lighter (21 oz,) for 1/3 the price of this 25 oz. cue. Not worth the extra money for the weight difference.
OUTPUT: neutral

INPUT: Adding a review post 1 year of ownership. Mediocre quality. My daughter has been riding the bike to school and back for about a year. The headset (where the handlebar connects) requires re-tightening every few months. The brakes are a weak spot on this bicycle, they are finicky to adjust and need readjustment every month. The shifting system works as you'd expect for a $200 bicycle, clicks into gear but is not smooth. We haven't experience any of the chain issues some others have mentioned. Lastly, I'm disappointed in the quality of the bolts/nuts used on the bike, the frame itself and most of the components seem to be of decent quality, but the bolts had surface rust after the first winter (and we live in california so we rarely even have rain, just typical morning dew).
OUTPUT: neutral

INPUT: Seriously the fluffiest towels! The color is beautiful, exactly as pictured, and they are bigger than I expected. Plus, I spent the same amount of money for these that I would have on the "premium" (non-organic) towels from Wal-Mart. You can't go wrong.
OUTPUT: positive

INPUT: The item ordered came exactly as advertised. I highly recommend this vendor and would order from them again.
OUTPUT: positive

INPUT: Very good price for a nice quality bracelet. My sister loved her birthday present! She wears it everyday.
OUTPUT: positive

INPUT: When you order a product, you expect the product to be as described. They were advertised as CAP Dumbbells. However, the product received was Golds Gym dumbbells. If I wanted Golds Gym, I would have bought these from Walmart. I have a complete set of CAP dumbbells, with the exception of my one set from Golds Gym. Is the weight correct, yes. Due they perform, yes. I just expect to get what I paid for not something else. After reading a few other reviews, I see that others have had the same issue.
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task.


INPUT: Works very well. Easy to set alarms, and time. The snooze/backlight function is pretty neat too. The dim back light is also nice so that you can actually read the time in the dark.
OUTPUT: positive

INPUT: Says it's charging but actually drains battery. Do not buy not worth the money.
OUTPUT: negative

INPUT: The book is very informative, with great tips and tricks about how to travel as well as what the locations are about which is both it's good and bad aspect. It gives so much interesting context, it may be overly insightful. For the person who must know everything, this is great. For the person who has no idea. Googling will suffice.
OUTPUT: neutral

INPUT: This case is ok, but not exceptional - a 3.5 or 4 max. The issue is there are fewer cases available for the Tab A 10.1 w S pen. Of those the Gumdrop is about the best, but it has some serious issues. The case rubber (silicone, whatever) is very smooth and slick, and doesn't give you a lot of confidence when hold the Tab with one hand. The Tab A is heavy so if your laying down watching a video the case slips in your hand so you have to make frequent adjustments. I had to remove the clear plastic shield that covers the screen because it impaired the touch screen operation. This affected the strength of the 1-piece plastic frame the surrounds the Tab A, so now the rubber outer cover feels really flexible and flimsy. Lastly, they made it difficult to get to the S pen. The S pen is in the back bottom right hand corner of the Tab A, and they made the little rubber flap that protects corner swing backwards for access to the S pen. This means in order to get the S pen out, the flap has to swing out 180 degrees. This is really awkward and hard to do with one hand. This case does a good job protecting my Tab A, but with these serious design flaws I can't recommend it unless you have an S pen, then you don't have much choice.
OUTPUT: neutral

INPUT: These notebooks really keep me on track, love them!
OUTPUT: positive

INPUT: Not enough information and it seems to behave erratically. Not contacted Tech Support yet. Support URL in printed instructions is dead. Needs better instructions for VOIP POTS without cordless phones in home. I am somewhat allergic to radios. Literature does not tell what to expect when CPR Call blocker is disconnected for short period of time. It depends entirely on talk line battery. I need it to work and am not giving up. Tech support seems to be illusive.
OUTPUT: neutral

INPUT: Overall I liked the phone especially for the price. The durability is my main issue I dropped the phone once onto a wood floor from about 12 inches and the screen cracked after having it for about 2 weeks. Otherwise it seemed to be a decent phone. It had a few little quirks that took a little getting used to but otherwise I think it wood be a good phone if it was more durable.
OUTPUT: neutral

INPUT: my expectations were low for a cheap scale. they were not met, scale doesnt work. popped the cover off the back to put a battery in and the wires were cut and damaged. wouldn't even turn on. sending it back. product is flimsy and cheap, spend 20 extra bucks on a better brand or scale.
OUTPUT: negative

INPUT: I don't like anything about it and I don't like that it is not able to be returned. JUNK!
OUTPUT: negative

INPUT: To me this product just does not work. Decided to give this a try based on the great reviews this product has. I used it for about two weeks and just did not feel any extra energy nor anything else. Obviously the seller has a good system, maybe even a little scam going on, give me a 5 star review and we will send you a free one. Not saying this will happen to everyone, but these were my results. Happy shopping!
OUTPUT: negative

INPUT: The battery life is terrible compared to earlier versions, an all day reading episode uses it up. It is not something I could count on for a long trip without power nearby. Also, it often goes back several pages quickly because my hand gets near the left edge. I regret buying this version.
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task.


INPUT: Very informative Halloween Recipes For Kids book. This book is just what I needed with great and delicious recipe ideas. I will make a gift for my mom on her birthday. Thanks, author!
OUTPUT: positive

INPUT: Just can't get use to the lack of taste with this ceylon cinnamon. I have to use so much to get any taste at all. This is the first ceylon I've tried so I can't compare. Just not impressed. I agree with some others that it taste more like red hot candy smells. Hope I can find some that has some flavor. I really don't want to go back to the other cinnamon that is bad for us.
OUTPUT: neutral

INPUT: I like everything about the pill box except its size. I take a lot of supplements and the dispenser is just too small to hold all the pills that I take.
OUTPUT: neutral

INPUT: I would buy it again. Just as a treat, was a nice little side dish pack for nights when me or my husband didn't want to cook.
OUTPUT: neutral

INPUT: This makes almost the whole series. Roman Nights will be the last one. Loved them all. Alaskan Nights was awesome. Met my expectations , hot SEAL hero, beautiful & feisty woman. Filled with intrigue, steamy romance & nail biting ending. Have read two other books of yours. Am looking forward to more.
OUTPUT: positive

INPUT: Expensive for a kids soap
OUTPUT: neutral

INPUT: My dog ,a super hyper Yorkie, wouldn't eat these. Didn't like the smell of them and probably didn't like the taste. I did manage to get them down him for 3 days to see if it would help him . The process of getting them down him was traumatic for him and me. They did not seem to have any effect on him one way or another , other than the fact that he didn't like them and didn't want to eat them. I ended up throwing them away. Money down the drain. Sorry, I can't recommend them.
OUTPUT: negative

INPUT: Excellent read!! I absolutely loved the book!! I’ve adopted 4 Siamese cats from Siri over the years and everyone of them were absolute loves. Once you start to read this book, it’s hard to put down. Funny, witty and very entertaining!! Siri has gone above and beyond in her efforts to rescue cats (mainly Siamese)!!
OUTPUT: positive

INPUT: Mango butter was extremely dry upon delivery.
OUTPUT: negative

INPUT: These raw cashews are delicious and fresh.
OUTPUT: positive

INPUT: this is a great book for parents who want to maximize their kids health but not lose the flavor and fun of food. spices are not spicy, they’re health boosting and delicious. i love spice momma’s creative recipes and can’t wait for more from her.
OUTPUT:


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task.


INPUT: 2 out of three stopped working after two weeks.! Threw them all in the trash. Don't waste your money
OUTPUT: negative

INPUT: I saw this and thought it would be good to store the myriad of batts that I have. You must know that this is made to hang on the wall. The lid does not lock down in any way it just hangs lose and bangs into the Size C batts. You can lay it flat but remember the lid does not in any way hold the batteries from falling out if you turn it to the side, Now for me the biggest disappointment is that there are no slots for the batteries that use the most, the CR 123 batts. I rate it just barely useful. I should have read more carefully the description. It is too much trouble to return it so I'll keep it and buy smaller cases with locking lids
OUTPUT: neutral

INPUT: The one star is for UPS. I wish I had been home when delivery was made because I would have refused it. I have initiated return procedures, so hopefully when seller gets this mess back I will receive my $60 in a timely manner.
OUTPUT: negative

INPUT: Apparently 2 Billion is not very many in the world of probiotics
OUTPUT: neutral

INPUT: The battery covers screw stripped out the first day on both cars I purchased for Christmas.
OUTPUT: negative

INPUT: The package only had 1 rectangular pan and 1 cupcake pan. Missing 2 rectangular pans.
OUTPUT: negative

INPUT: Works great, bought a 2nd one for my son's dog. I usually only put them on at night and it stopped the barking immediately. Battery lasted a month. Used a little duct tape to keep the collar at the right length.
OUTPUT: positive

INPUT: Says it's charging but actually drains battery. Do not buy not worth the money.
OUTPUT: negative

INPUT: Ordered this product twice and was sent the wrong product twice.
OUTPUT: neutral

INPUT: Item description says "pack of 3" but I only received 1
OUTPUT: negative

INPUT: This item takes 2 AA batteries not 2 C batteries like it says
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task.


INPUT: Not reliable and did not chop well. Came apart with second use. Pampered Chef is my all-time favorite with Zyliss coming in second.
OUTPUT: negative

INPUT: My paper towels kept falling off
OUTPUT: negative

INPUT: I like everything about the pill box except its size. I take a lot of supplements and the dispenser is just too small to hold all the pills that I take.
OUTPUT: neutral

INPUT: We bought it in hopes my son would stop sucking his thumb. He doesn't suck it when it's on but when it's off for eating, bathing, washing hands... he will still do it. We are now going to try the nail polish with bitter taste. This is a good idea, my son just needs something stronger to beat it.
OUTPUT: neutral

INPUT: Awkward shape, does not fit all butter sticks
OUTPUT: neutral

INPUT: Great must-have tool! A long time ago I was able to open some of my watches, but some were so tight, that it was almost impossible to avoid scratches. This tool turns this job into a few second fun.
OUTPUT: neutral

INPUT: Can’t get ice all the way around the bowl. Only on the bottom, so it didn’t keep my food as cold as I would have liked.
OUTPUT: neutral

INPUT: When i opened the package 2 of them were broken. Very disappointing
OUTPUT: negative

INPUT: Easy to peel and stick. They don't fall off.
OUTPUT: positive

INPUT: I was very disappointed in this item. It is very soft and not chewy. It falls apart in your hand. My dog eats them but I prefer a more chewy treat for my dog.
OUTPUT: negative

INPUT: Plates won’t snap in. The keep falling out no master how hard you push. Leaks every where. Handle won’t snap shut. It’s good difficult to use. It’s not like my d sandwich maker I used in college. Only reason I wanted another one-the simple ease of making sandwiches. But this is more headache than worth it. I’m cleaning the mess it’s made.
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task.


INPUT: The package only had 1 rectangular pan and 1 cupcake pan. Missing 2 rectangular pans.
OUTPUT: negative

INPUT: Ordered these for my daughter as a Christmas present. When she opened the case 3 of the markers did not have the caps on and were completely dried out. She was very disappointed. She then starting testing all of them on a piece of paper, several of them began to run out of ink very quickly. Not happy with this product, tried to return, however these markets are an unreturnable item.
OUTPUT: negative

INPUT: Did not come with the wand
OUTPUT: negative

INPUT: DISAPPOINTED! Owl arrived missing stone for the right eye. Supposed to be a gift.
OUTPUT: neutral

INPUT: Just received in mail, I think I received a used one as it had writing in the first 3 pages. And someone else's name... Otherwise seems like pretty good quality
OUTPUT: neutral

INPUT: The picture shows the fuel canister with the mosquito repeller attached so I assumed it would be included. However, when I opened the package I discovered there was no fuel. Since it is not included, the picture should be removed. If someone orders this and expects to use it immediately, like I did, they will be very disappointed.
OUTPUT: negative

INPUT: Made a money gift fun for all
OUTPUT: positive

INPUT: The packaging of this product was terrible. Just the device with no instructions in a box with no bubble wrap. Device rolling around in a box 3x’s it’s size. No order slip.
OUTPUT: neutral

INPUT: Not all the colors of beads were included with my kit
OUTPUT: neutral

INPUT: Failed out of the box.
OUTPUT: negative

INPUT: Came with 2 pens missing from the box.
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task.


INPUT: Absolutely worthless! Adhesive does not stick!
OUTPUT: negative

INPUT: Too stiff, barely zips, and is very bulky
OUTPUT: negative

INPUT: Great product will recomend
OUTPUT: positive

INPUT: Easy to peel and stick. They don't fall off.
OUTPUT: positive

INPUT: It was very easy to install on my laptop.
OUTPUT: positive

INPUT: Great must-have tool! A long time ago I was able to open some of my watches, but some were so tight, that it was almost impossible to avoid scratches. This tool turns this job into a few second fun.
OUTPUT: neutral

INPUT: I never should've ordered this for my front porch steps. It had NO Adhesion and was a BIG disappointment.
OUTPUT: negative

INPUT: The clear backing lacks the stickiness to keep the letters adhered until you’re finished weeding! It’s so frustrating to have to keep up with a bunch of letters and pieces that have curled and fell off the paper! It requires additional work to make sure that they’re aligned properly and being applied on the right side, which was an issue for me several times! I purchased 3 packs of this and while it’s okay for larger designs, it sucks for lettering or anything intricate 😏 Possibly it’s old and dried out, but in any event, I will not be buying from this vendor again and suggest that you don’t either!
OUTPUT: negative

INPUT: Great hold and strength on the magnet. Can be easily maneuvered to fit your needs for holding curtains back.
OUTPUT: positive

INPUT: These make it really easy to use your small keyboard on your phone. Would recommend to everyone.
OUTPUT: positive

INPUT: Adhesive is good. Easy to apply.
OUTPUT:


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task.


INPUT: I like this product, make me feel comfortable. I can use it convenient. The price is very cheap.
OUTPUT: positive

INPUT: Challenging. Love the fact that each session extends into 6 more days of devotional study. We are focusing each study for a 2 week period. Awesome focus point for personal growth as building meaningful relationships within our group. Thank you !
OUTPUT: positive

INPUT: These are great for SO many things. Originally I had them in my drink at a club but then later bought them for my wedding center pieces. The light stays on for weeks but becomes dim after 3 or 4 days. We had a great time leaving the extra ones around the party and will use the extra ones for fun.
OUTPUT: positive

INPUT: The piano is great starters! It finds your child’s inner artistic ability and musical talent. It develops a good hand-eye coordination. The piano isn’t only a play toy, but it actually works and allows your child to play music at an early age. If you want your child to be a future pianist, you should try this product out! Very worth the money!
OUTPUT: positive

INPUT: After 5 months the changing rainbow light has stopped functioning. Still works as an oil diffuser at least. It was cheap so I guess that's what you get!
OUTPUT: neutral

INPUT: The book is very informative, with great tips and tricks about how to travel as well as what the locations are about which is both it's good and bad aspect. It gives so much interesting context, it may be overly insightful. For the person who must know everything, this is great. For the person who has no idea. Googling will suffice.
OUTPUT: neutral

INPUT: spacious , love it and get many compliments
OUTPUT: positive

INPUT: Works very well. Easy to set alarms, and time. The snooze/backlight function is pretty neat too. The dim back light is also nice so that you can actually read the time in the dark.
OUTPUT: positive

INPUT: I love the glass design and the shape is comfortable in one hand. My first purchase of this kettle lasted for two years of daily use. The hinge on the lid is fragile, and since the lid doesn't flip entirely back - it gets strained and broke within the year. Everything else worked fine until the auto shut-off stopped working after two years. For safety, I bought a new one which has now stopped working entirely after 17 months. I still love the design, but for $58 I expected it to last longer.
OUTPUT: neutral

INPUT: I found this stable and very helpful to get things off the floor, as well as to be able to store below and on top of. Nice that it's adjustable.
OUTPUT: positive

INPUT: It's a perfect product, I use it for study and relaxation. Easy to assemble and lights are adjustable (can be turned off). It's also really quiet, barely any sound. If you need a diffuser that is for meditation, studying or relaxation, definitely pick this one!! Also, a great value for a 2 pack.
OUTPUT:


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task.


INPUT: Solid performer until the last quart of oil was being drawn out, then it started to spray oil out of the top.
OUTPUT: neutral

INPUT: Easy to clean as long as you clean it directly after using of course. Works great. Very happy
OUTPUT: positive

INPUT: Great must-have tool! A long time ago I was able to open some of my watches, but some were so tight, that it was almost impossible to avoid scratches. This tool turns this job into a few second fun.
OUTPUT: neutral

INPUT: It had to be changed very frequently. Even with the filter we had to empty the water and refill because the water would get nasty, the filters put black specs in the water. And it stopped working after 3 months
OUTPUT: negative

INPUT: I used this product to take rust stains off my concrete driveway. It reduced the stains, but did not remove them completely. I'm hoping our Southern California sun will do the rest .
OUTPUT: neutral

INPUT: Love it! As with all Tree to Tub Products, I’ve incredibly happy with this toner.
OUTPUT: positive

INPUT: The small wrench was worthless. Ended up having to buy a new blender.
OUTPUT: negative

INPUT: This is THE BEST mascara I have found. I live in south Florida and this stays on through humidity, rain, everything and NO clumping or smudging. It's buildable and really easy to remove. LOVE IT!
OUTPUT: positive

INPUT: Horrible after taste. I can imagine "Pine Sol Cleaning liquid" tasting like this. Very strange. It's a NO for me.
OUTPUT: negative

INPUT: Supplied stoppers were no fit for soap bottle! Had to put the original plastic top back on bottle and insert tube through hole. It then worked!
OUTPUT: neutral

INPUT: Awesome tool for Toyota/Lexus cartridge filter. Way less messy than using the plastic items that come with the filters to drain the oil from the cartridge. The flow doesn’t start until you turn the knurled handle after having threading it into the bottom of the cartridge. Clear tubing is handy to direct the oil into a pan or directly into a recycling container.
OUTPUT:


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task.


INPUT: Item description says "pack of 3" but I only received 1
OUTPUT: negative

INPUT: Very good price for a nice quality bracelet. My sister loved her birthday present! She wears it everyday.
OUTPUT: positive

INPUT: Received this file box last night, and begin to put my documents in as soon as I received it. It is very good for me as my husband and I get a lot paperwork to save. The colorful tags make it easier to find what I want. The material is strong. I finally get something to help with the messy drawer! Love this product! I believe I will buy another one when this one is full!
OUTPUT: positive

INPUT: The one star is for UPS. I wish I had been home when delivery was made because I would have refused it. I have initiated return procedures, so hopefully when seller gets this mess back I will receive my $60 in a timely manner.
OUTPUT: negative

INPUT: I don’t like it because i ordered twice they sent me the one expired. No good .I don’t want to buy anymore.
OUTPUT: negative

INPUT: The item ordered came exactly as advertised. I highly recommend this vendor and would order from them again.
OUTPUT: positive

INPUT: The package only had 1 rectangular pan and 1 cupcake pan. Missing 2 rectangular pans.
OUTPUT: negative

INPUT: Solid value for the money. I’ve yet to have a problem with the first pair I bought. Buying a second for my second box.
OUTPUT: positive

INPUT: Just received in mail, I think I received a used one as it had writing in the first 3 pages. And someone else's name... Otherwise seems like pretty good quality
OUTPUT: neutral

INPUT: When i opened the package 2 of them were broken. Very disappointing
OUTPUT: negative

INPUT: Great price BUT were not stuffed properly and had to be opened for fixing. Also, I was under the impression that it was 2, but it's only one insert. My fault for not reading the whole thing so just an FYI.
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task.


INPUT: Not a credible or tasteful twist at the end of the book
OUTPUT: neutral

INPUT: Item was used/damaged when I received it. Seal on the box was broken so I checked everything before install and it looks like the power/data connections are burnt. Returning immediately.
OUTPUT: negative

INPUT: This system is not as simple & straight-forward to program as one with fewer tech capabilities. The voice quality of the Caller ID announcement is poor & there are multiple steps to use Call Block and to access, then erase, Messages. However, the large capacity to store Blocked Calls is a major reason for the purchase.
OUTPUT: neutral

INPUT: The width and the depth were opposite of what it said, so they did not fit my cabinet.
OUTPUT: negative

INPUT: They sent HyClean which is NOT for the US market therefore this is deceptive marketing
OUTPUT: negative

INPUT: These do run large than expected. I wear a size 6 ordered 5-6 and they are way to big, I have to wear socks to keep them on . Plus I thought they would be thicker inside but after wearing them for a few days they seemed to break down . I will try to find a better pair
OUTPUT: neutral

INPUT: past is not enough strong
OUTPUT: negative

INPUT: I like everything about the pill box except its size. I take a lot of supplements and the dispenser is just too small to hold all the pills that I take.
OUTPUT: neutral

INPUT: Don't buy this game the physics are terrible and I am so mad at this game because probably there are about 40 hackers on every single game and the game. Don't doesn't even do anything about it you know they just let the hackers do whatever they want and then they do know that the game is terrible but they're doing absolutely nothing about it and the game keeps on doing updates about their characters really what they should be updating is the physics because it's terrible don't buy this game the physics are terrible and mechanics are terrible the people that obviously the people that built this game was high or something because it's one of the worst games I've honestly ever played in my life I would rather play Pixel Games in this crap it's one of the worst games don't buy
OUTPUT: negative

INPUT: Downloaded the app after disconnecting my cable provider to watch shows that I enjoy and to see any of them you have to sign in thru your cable provider. Really disappointed!!
OUTPUT: negative

INPUT: We've all been lied to, that's a fact. Andy Andrews shows us the depth we have sunk to by the lies. We need to expect truth from those in the political arena or elect those people that will speak the truth. You don't want your friends to lie, why accept it from elected officials. Apathy is running rampant. We need to be able to discern truth and it can only be found if we are willing to look for it. Check things out, don't always take what someone says as truth. A short, but powerful, book.
OUTPUT:


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task.


INPUT: Awesome product. Have used on my hands several times since I received the product. My cuticles have softened and my hands are no longer dry.
OUTPUT: positive

INPUT: They are huge!! Want too big for me.
OUTPUT: neutral

INPUT: Idk what is in these pads but they gave my nips some problems. When I nursed my baby and folded these down the adhesion would get all wonky and end up sticking to me. I love how thin they are but I’ve never have had problems with nursing pads like I did with these
OUTPUT: neutral

INPUT: Sorry but these are a waist of money. Washed my handy one time and they come right off. I even glued them on because they were so cheep and didn’t stay when you put the ring on .
OUTPUT: negative

INPUT: I bought the tie-dyed version and it was SO comfortable. Stretchy breathable material. I decided to buy the black version for work. Bad decision! The material is completely different. It doesn’t stretch, it’s not breathable and it is very small and uncomfortable! It even seems it’s stitched differently so that it coveres 50% less of my head. So disappointing!!
OUTPUT: negative

INPUT: The first guard may serve more as a learning curve. I do kinda prefer to use the ones that come with molding trays. This didn't help until about 3-4 nights of use. Even then, sometimes it feels like my upper gum underneath, is strange feeling the next morning
OUTPUT: neutral

INPUT: We bought it in hopes my son would stop sucking his thumb. He doesn't suck it when it's on but when it's off for eating, bathing, washing hands... he will still do it. We are now going to try the nail polish with bitter taste. This is a good idea, my son just needs something stronger to beat it.
OUTPUT: neutral

INPUT: High quality product. I prefer the citrate formula over other types of magnesium
OUTPUT: positive

INPUT: I hate to give this product one star when it probably deserves 5. My dog has chronic itchy skin and I had high hopes that this product would be the answer to his skin issues. I'll never know because he won't eat them. At first I gave them to him as a treat. He sniffed it and walked away. I crumbled just one up in his food but he was onto me and wouldn't touch it. So, sadly, the search continues.
OUTPUT: negative

INPUT: I look fabulous with this glasses on, totally worth it! :D
OUTPUT: positive

INPUT: Love the gloves , but be,careful if you are allergic to nickel don't buy them they are made with nickel chloride which I am allergic very highly allergic to so that was the only downfall
OUTPUT:


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task.


INPUT: They are so comfortable that I don't even know I am wearing them.
OUTPUT: positive

INPUT: very cute style and design, but tarnished after 1 wear!
OUTPUT: neutral

INPUT: Ordered these for a friend and he loved them!
OUTPUT: positive

INPUT: I look fabulous with this glasses on, totally worth it! :D
OUTPUT: positive

INPUT: This is even sexier than the pic! It has good control and is smooth under all my clothes! It's also comfortable and I'm able to easily wear it all day, it doesn't roll down either!
OUTPUT: positive

INPUT: The quality is meh!! (treads are hanging out from places), however the colors are not the same (as seen on the display) :(
OUTPUT: neutral

INPUT: The Marino Avenue brand Men’s low cut socks are of good quality. I put them through one cycle of hot water washing and drying and they stood up to the challenge. What I like best is the color choices on the socks. The green, yellow, red, and black one is my favorite combo.
OUTPUT: positive

INPUT: These sunglasses are GREAT quality, and super stylish. I didn't think I'd love any sunnies off of Amazon, but this was the first pair I took a chance on and I love them! Definitely a great buy!
OUTPUT: positive

INPUT: Love this coverup! It’s super thin and very boho!! Always getting compliments on it!
OUTPUT: positive

INPUT: Really cute outfit and fit well. But, the two bows fell off the top the first time worn. The bows were glued on opposed to sewn.
OUTPUT: neutral

INPUT: These are super cute! Coworkers have given lots of compliments on the style. I ordered 3 pair for work and home :) haven’t had a headache since wearing these. love!
OUTPUT:


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task.


INPUT: I never received my item that I bought and it’s saying it was delivered.
OUTPUT: negative

INPUT: Very poorly packaged. The glasses banged each other. Should have been bubble wrapped. So bummed that I can’t use these for a party tonight!
OUTPUT: negative

INPUT: Mango butter was extremely dry upon delivery.
OUTPUT: negative

INPUT: DISAPPOINTED! Owl arrived missing stone for the right eye. Supposed to be a gift.
OUTPUT: neutral

INPUT: Great taste but the box was sent in a mailing envelope. So produce was smashed.
OUTPUT: neutral

INPUT: Product received was not the product ordered. It was a different set without a kettle and their were ants crawling in and out of the box so i didnt even open it but the picture shows a different item with no kettle. I was sent the same thing as a replacement. Fast shipping though.
OUTPUT: negative

INPUT: Ordered this for a Santa present and Christmas Eve noticed it came broken!
OUTPUT: negative

INPUT: Just as advertised. Quick shipping.
OUTPUT: positive

INPUT: I bought the surprise shirt for grandparents, but was sent one for an aunt. I was planning on surprising them with this shirt tomorrow in a cute way, but now I have to postpone the get together until I receive the correct item sent hopefully right this time.
OUTPUT: negative

INPUT: Failed out of the box.
OUTPUT: negative

INPUT: Was not delivered!!!
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task.


INPUT: Waste of money!! Don’t buy this product. just helping community. I trusted reviews about that but all wrong
OUTPUT: negative

INPUT: The 8 year old nephew said he wanted this for his birthday. I felt it was a bit much for a toy but he caught me on a good day. Come to find out it's a fragile collectible so the nephew lost all the small parts the moment he opened it. I guess it's adequate for collectors that want detail on such a small figurine.
OUTPUT: neutral

INPUT: Thought this was a magnetic sticker, I was mistaken.
OUTPUT: neutral

INPUT: Pretty dam good cutters
OUTPUT: positive

INPUT: So small can't even see it in my garage i though was a lil bigger
OUTPUT: negative

INPUT: Great ideas in one device. One of those devices you pray you’ll never need, but I’m pretty sure are up for the task.
OUTPUT: positive

INPUT: less flexible than expected.. but still good for the price
OUTPUT: neutral

INPUT: The glitter gel flows, its super cute.
OUTPUT: positive

INPUT: Perfect for Bose cord replacements, or for converting to Bluetooth using a small receiver with an Aux In input.
OUTPUT: positive

INPUT: my expectations were low for a cheap scale. they were not met, scale doesnt work. popped the cover off the back to put a battery in and the wires were cut and damaged. wouldn't even turn on. sending it back. product is flimsy and cheap, spend 20 extra bucks on a better brand or scale.
OUTPUT: negative

INPUT: This thing is EXACTLY what is described, 10/10
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task.


INPUT: Fantastic belt ,love it . This is my second one , the first one was a little small but this one is perfect. I suggest you order one size bigger than your waist size.
OUTPUT: negative

INPUT: Maybe it's just my luck because this seems to happen to me with other products but the motor broke in 2 weeks. That was a bummer. I liked it for the 2 weeks though!
OUTPUT: neutral

INPUT: Belt loops were not fastened upon opening. They were not stitched.
OUTPUT: negative

INPUT: Works great, bought a 2nd one for my son's dog. I usually only put them on at night and it stopped the barking immediately. Battery lasted a month. Used a little duct tape to keep the collar at the right length.
OUTPUT: positive

INPUT: Not worth your time. PASS.
OUTPUT: negative

INPUT: Please note that it’s pretty small, so it’ll take a few trips to grind enough for a good session. Also the top is kinda tricky because you have to screw it on each time to grind.
OUTPUT: neutral

INPUT: When I received this product, I took the tracker out of the package and plugged it in in order to charge it-it never turned on! I did that was suggested, but to no avail!
OUTPUT: negative

INPUT: Runs very large. Order 3 sizes smaller!
OUTPUT: neutral

INPUT: Pretty dam good cutters
OUTPUT: positive

INPUT: This shirt is not long as the picture indicates. It's just below waist length. Disappointed b/c I am 5'10 and wanted to wear with leggings.
OUTPUT: negative

INPUT: Believe the other reviews, the belt is small and won’t let you start the mower. When you do it will burn the belt in minutes.
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task.


INPUT: This dress is very comfortable. I would recommend wearing a slip under it as it is very thin. I’m going to have to hem the bottom because it’s long. I’m 5’5” and even in wedges it hits the floor. But it’s great for the price!
OUTPUT: positive

INPUT: It's nearly impossible to find a 5 gallon bucket that this seat fits onto. I'd recommend buying the 2 together so that you might get a set that fits.
OUTPUT: negative

INPUT: I like everything about the pill box except its size. I take a lot of supplements and the dispenser is just too small to hold all the pills that I take.
OUTPUT: neutral

INPUT: Chair is really good for price! I have 6 children so I was looking for something not to expensive but good, this chair is really good comparing with others and good prices
OUTPUT: positive

INPUT: I love how the waist doesn't have an elastic band in them. I have a bad back and tight waist bands always make my back feel worse.These feel decent...although If they could make them just one size larger..and not just offer plus size....that would be even better for my back.
OUTPUT: positive

INPUT: Runs very large. Order 3 sizes smaller!
OUTPUT: neutral

INPUT: my problem with the product is the fit. I have a large head and it is too tight everywhere and the neck just doesnt feel right. I want to pull it down but then my nose has no room. I can't use it because of the poor fit.
OUTPUT: negative

INPUT: The black one with the tassels on the front and it looks pretty cute, perfect for summer. I have broad shoulders so the looseness was great for me but if you are more petit you might not love how oversized it can look (specially the sleeves). Please note, it does SHRINK after washing (not even drying) so beware!! Also, it is very short but cute nonetheless.
OUTPUT: neutral

INPUT: I like this swim suit but it fits really small. I am a size 14 and per reviews that's what I ordered. It runs really small. Also a lot of mesh in the back and on the sides of this suit. Don't like that. its going back....sad
OUTPUT: negative

INPUT: It's super cute, really soft. Print is fine but mine is way too long. It's hits at the knee for everyone else but mine is like mid calf. Had to take a few inches off. I'm 5'4"
OUTPUT: neutral

INPUT: We ordered 4 diff brands so we could compare and try them out and this one was by far the worst, once you sat down. You felt squished. I’m 5.5 and 120 lbs. My husband could barely fit.
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task.


INPUT: This is a nice headset but I had a hard time trying to switch the language on it to English
OUTPUT: neutral

INPUT: I ordered a screen for an iPhone 8 Plus, but recevied product that was for a different phone. A significantly smaller phone.
OUTPUT: negative

INPUT: For the money, it's a good buy... but the fingerprint ID just doesn't work very good. After several attempts, it would not allow me to register my fingerprint. So... I just use the key to lock and unlock the safe, and that's not a problem. If you want something with the ability to open with your fingerprint, you'll need to spend a bit more, but if fingerprint id isn't something you absolutely need to have, then this safe is for you.
OUTPUT: neutral

INPUT: It arrived broken. Not packaged correctly.
OUTPUT: negative

INPUT: Downloaded the app after disconnecting my cable provider to watch shows that I enjoy and to see any of them you have to sign in thru your cable provider. Really disappointed!!
OUTPUT: negative

INPUT: I ordered Copic Bold Primaries and got Copic Ciao Rainbow instead. Amazon gave me a full refund but still annoying to have to reorder and hopefully get the right item.
OUTPUT: negative

INPUT: Overall I liked the phone especially for the price. The durability is my main issue I dropped the phone once onto a wood floor from about 12 inches and the screen cracked after having it for about 2 weeks. Otherwise it seemed to be a decent phone. It had a few little quirks that took a little getting used to but otherwise I think it wood be a good phone if it was more durable.
OUTPUT: neutral

INPUT: I bought this because my original charger finally gave up on me. This one won’t stay inside my phone. The charging piece won’t stay inside my phone.
OUTPUT: neutral

INPUT: I did not receive the Fitbit Charge HR that I ordered, I got a Fitbit FLEX ,,, and I am very upset and do NOT like not receiving what I ordered
OUTPUT: negative

INPUT: asian size is too small
OUTPUT: neutral

INPUT: I ordered this phone for my daughter and the "unlocked dual phone " is misleading as it came LOCKED & in Chinese!😡
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task.


INPUT: Way to sensitive turns on and off 1000 times a night I guess it picks up bugs or something
OUTPUT: negative

INPUT: Took a bottle to Prague with me but it just did not seem to do much.
OUTPUT: negative

INPUT: These are great for SO many things. Originally I had them in my drink at a club but then later bought them for my wedding center pieces. The light stays on for weeks but becomes dim after 3 or 4 days. We had a great time leaving the extra ones around the party and will use the extra ones for fun.
OUTPUT: positive

INPUT: Use at your own risk. My wife and I both had burning sensation and skin reactions. No history of sensitive skin.
OUTPUT: negative

INPUT: Wouldn’t keep air the first day of use!!!
OUTPUT: negative

INPUT: This is my third G-shock as I have been addicted to this watch and can never probably use a different brand. Not only this is a beautiful watch, it is also water resistant and is very durable. Good purchase overall and I love the dark blue color. I only miss the night light, which this one does not have
OUTPUT: positive

INPUT: never got it after a week when promised
OUTPUT: negative

INPUT: The first guard may serve more as a learning curve. I do kinda prefer to use the ones that come with molding trays. This didn't help until about 3-4 nights of use. Even then, sometimes it feels like my upper gum underneath, is strange feeling the next morning
OUTPUT: neutral

INPUT: Works good but wears up fast.
OUTPUT: neutral

INPUT: Started using it yesterday.. so far so good.. no side effects.. 1/4 of a teaspoon twice per day in protein shakes.. I guess it takes a few weeks for chronic potassium deficiency and chronic low acidic state to be reversed and for improvements on wellbeing to show.. I suggest seller supplies 1/8 spoon measure with this item and clear instructions on dosage because an overdose can be lethal
OUTPUT: neutral

INPUT: Have not used at night yet
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task.


INPUT: We bring the kid to Cape Cod this long weekend. The shelter is very helpful when we stay on the beach. Kid feel comfortable when she was in the shelter. It was cool inside of shelter especially if you put some water on the top of the shelter. It is also very easy to carry and set up. It is a good product with high quality.
OUTPUT: positive

INPUT: These are very fragile. I have a cat who is a bit rambunctious and sometimes knocks my phone off my nightstand while it's plugged in. He managed to break all of these the first or second time he did that. I'm sure they're fine if you're very careful with them, but if whatever you're charging falls off a table or nightstand while plugged in, these are very likely to stop working quickly.
OUTPUT: negative

INPUT: Ummmm, buy a hard side for your expensive wreath. It is too thin to protect mine.
OUTPUT: neutral

INPUT: We loved these sheets st first but they have proven to be poor quality with rips at seams and areas of obvious wear from very rare use on our bed. Very disappointed. Would NOT recommend.
OUTPUT: negative

INPUT: Cute bag zipper broke month after I bought it.
OUTPUT: neutral

INPUT: The child hat is ridiculously small. It was not even close to the right size for my 3 year old son. I checked the size, and it wouldn't have even fit him as a newborn. I liked the adult hat but it is not sold separately. The seller was rude and unhelpful when I contacted them directly through Amazon. The faux fur pom was either already torn or tore when I was trying on the hat. See the attached photograph. The pom came aprt, exposing the inner fluff.
OUTPUT: negative

INPUT: These little lights are awesome. They put off a nice amount of light. And you can put them ANYWHERE! I have put one in the pantry. Another in my linen closet. Another one right next to my bed for when I get up in the middle of the night. Have only had them about a month but so far so good!
OUTPUT: positive

INPUT: Expensive for a kids soap
OUTPUT: neutral

INPUT: Very informative Halloween Recipes For Kids book. This book is just what I needed with great and delicious recipe ideas. I will make a gift for my mom on her birthday. Thanks, author!
OUTPUT: positive

INPUT: Great idea! My nose is always cold and I can't fall asleep when it is cold, but for some reason this isn't keeping my nose warm.
OUTPUT: neutral

INPUT: Our 6 month old Daughter always needs a security blanket wherever we go. We bought these as backups and they have been so durable and they are really cute too.
OUTPUT:


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task.


INPUT: The book is very informative, with great tips and tricks about how to travel as well as what the locations are about which is both it's good and bad aspect. It gives so much interesting context, it may be overly insightful. For the person who must know everything, this is great. For the person who has no idea. Googling will suffice.
OUTPUT: neutral

INPUT: I like this series. The main characters are unusual and very damaged from a terrible childhood. Will is an excellent investigator but due to a disability he believes he is illiterate. Slaughter does a very good job showing how people with dyslexia learn ways to hide their limitations. It will be interesting to see how these characters play out in the future. I understand that Slaughter brings some of the characters from the Grant County series to this series. The crimes are brutal. I'm sure this is a good representation of what police come across in their career. The procedural is well done and kept me interested from start to finish. I'm looking forward to reading more of this series soon.
OUTPUT: positive

INPUT: Just received in mail, I think I received a used one as it had writing in the first 3 pages. And someone else's name... Otherwise seems like pretty good quality
OUTPUT: neutral

INPUT: Great book for daily living
OUTPUT: positive

INPUT: Works very well. Easy to set alarms, and time. The snooze/backlight function is pretty neat too. The dim back light is also nice so that you can actually read the time in the dark.
OUTPUT: positive

INPUT: The book is fabulous, but not in the condition i was lead to believe it was in. I thought i was buying a good used copy, what i got is torn cover and some kind of humidity damaged book. I give 5 stars for the book, 2 stars for the condition.
OUTPUT: neutral

INPUT: What a wonderful first book in a new series. I love all of Ms. Kennedy’s books and I eagerly one clicked this one. It has engaging characters, a strong storyline and hot encounters. I really enjoyed it.
OUTPUT: positive

INPUT: This is a very helpful book. Easy to understand and follow. Much rather follow these steps than take prescription meds. There used to be an app that worked as a daily checklist from the books suggestions, but now I cannot find the app anymore. Hope it comes back or gets updated.
OUTPUT: positive

INPUT: Excellent read!! I absolutely loved the book!! I’ve adopted 4 Siamese cats from Siri over the years and everyone of them were absolute loves. Once you start to read this book, it’s hard to put down. Funny, witty and very entertaining!! Siri has gone above and beyond in her efforts to rescue cats (mainly Siamese)!!
OUTPUT: positive

INPUT: These notebooks really keep me on track, love them!
OUTPUT: positive

INPUT: I like everything about this book and the fine expert author who also provides vital information on T.V.
OUTPUT:


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task.


INPUT: The 8 year old nephew said he wanted this for his birthday. I felt it was a bit much for a toy but he caught me on a good day. Come to find out it's a fragile collectible so the nephew lost all the small parts the moment he opened it. I guess it's adequate for collectors that want detail on such a small figurine.
OUTPUT: neutral

INPUT: Really cute outfit and fit well. But, the two bows fell off the top the first time worn. The bows were glued on opposed to sewn.
OUTPUT: neutral

INPUT: We bring the kid to Cape Cod this long weekend. The shelter is very helpful when we stay on the beach. Kid feel comfortable when she was in the shelter. It was cool inside of shelter especially if you put some water on the top of the shelter. It is also very easy to carry and set up. It is a good product with high quality.
OUTPUT: positive

INPUT: Cute, soft and great for a baby that’s 1 and loves Bubble Guppies.
OUTPUT: positive

INPUT: The child hat is ridiculously small. It was not even close to the right size for my 3 year old son. I checked the size, and it wouldn't have even fit him as a newborn. I liked the adult hat but it is not sold separately. The seller was rude and unhelpful when I contacted them directly through Amazon. The faux fur pom was either already torn or tore when I was trying on the hat. See the attached photograph. The pom came aprt, exposing the inner fluff.
OUTPUT: negative

INPUT: I bought the surprise shirt for grandparents, but was sent one for an aunt. I was planning on surprising them with this shirt tomorrow in a cute way, but now I have to postpone the get together until I receive the correct item sent hopefully right this time.
OUTPUT: negative

INPUT: The piano is great starters! It finds your child’s inner artistic ability and musical talent. It develops a good hand-eye coordination. The piano isn’t only a play toy, but it actually works and allows your child to play music at an early age. If you want your child to be a future pianist, you should try this product out! Very worth the money!
OUTPUT: positive

INPUT: My cousin has one for his kid, my daughter loves it. I got one for my back yard,but not easy to find a good spot to hang it. After i cut some trees, now its prefect. Having lots of fun with my daughter. Nice swing, easy to install.
OUTPUT: positive

INPUT: Quality made from a family business. Sometimes a challenge to move around due to the chew toys hanging off but gives our puppy something to knaw on throughout the night. 5 month update: Our dog doesn't destroy many toys but since he truly loves this one he has ripped off the head, the tail rope, torn a few corner rope rings, put teeth marks in the internal foam and now ripped the underside of the cover. I'm giving this 4 stars still due to the simple fact that he LOVES this thing. Purchased right before they sold out, maybe the new model is more durable. Update with new model: The newer model has some areas where design has decreased in quality. The "tail" rope is not attached nearly as well as the first one. However, so far nothing has been ripped off of it in the 3 weeks since we have received it. He still loves it though!
OUTPUT: neutral

INPUT: I like these storage bins overall. The color of the lining inside wasn’t expected, it shows a light brown color in the photo but it’s pretty dark. I would have preferred the lining inside to match the outside, tan or grey. Other than that they are cute and look as pictured.
OUTPUT: neutral

INPUT: My twin grand babies will not be here until March. So we have not used them yet. The only thing so far that I was let down by was the set for the girl showed a cute bow, when I got it, it was just the cap. You should not show the boy in the picture.
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task.


INPUT: Great taste but the box was sent in a mailing envelope. So produce was smashed.
OUTPUT: neutral

INPUT: I've bought many wigs by far this is the best! I was sceptical about the price and quality but it surpassed my expectations. Loving my new wig great texture natrual looking!!
OUTPUT: positive

INPUT: This product is a good deal as far as price and the amount of softgels. I also like that it has a high EPA and DHA formula. The only thing I don't like is the fish burps. Maybe they need to add more lemon to the formula
OUTPUT: neutral

INPUT: The first time I bought it the smell was barely noticeable, this time however it smells terrible. Not sure why the smell change if the formula didn't change but the smell makes it hard to use. I guess I would rather it smell bad than be sick though...
OUTPUT: neutral

INPUT: I like everything about the pill box except its size. I take a lot of supplements and the dispenser is just too small to hold all the pills that I take.
OUTPUT: neutral

INPUT: Product was not to my liking seemed diluted to other brands I have used, will not buy again. Sorry
OUTPUT: negative

INPUT: High quality product. I prefer the citrate formula over other types of magnesium
OUTPUT: positive

INPUT: Just got the product and tested over the weekend for a big party. It turned out great for the 8lb ribs my hubby cooked. Got lots of compliments from the guests!
OUTPUT: positive

INPUT: Im not sure if its just this sellers stock of this product or what but the first order was no good, each bottle had mold and clumps in the bottle and usually companies will put a couple of metal beads in a bottle to aid in the mixing but these had a rock in it... like a rock off the ground. I decided to replace the item, same seller, and once again they were all clumpy and gross... I attached a photo. I wouldnt buy these, at least not from this seller.
OUTPUT: negative

INPUT: Horrible after taste. I can imagine "Pine Sol Cleaning liquid" tasting like this. Very strange. It's a NO for me.
OUTPUT: negative

INPUT: Very plain taste.. Carmel has so much more flavor but too pricy.. so pay less and get no flavor.. or pay a rediculous amount for very little of product..
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task.


INPUT: I don't like anything about it and I don't like that it is not able to be returned. JUNK!
OUTPUT: negative

INPUT: Very cheaply made, its not worth your money, ours came already broken and looks like it's been played with, retaped, resold.
OUTPUT: negative

INPUT: Product was not to my liking seemed diluted to other brands I have used, will not buy again. Sorry
OUTPUT: negative

INPUT: 2 out of three stopped working after two weeks.! Threw them all in the trash. Don't waste your money
OUTPUT: negative

INPUT: Please do not buy this! I was so excited and I got one for me and my co worker because we freeze in our offices. It's so small and barely even heats up. One of them didn't even work at all!
OUTPUT: negative

INPUT: Waste of money!! Don’t buy this product. just helping community. I trusted reviews about that but all wrong
OUTPUT: negative

INPUT: Not worth it the data cable had to move it in a certain position to make it work i just returned it back.
OUTPUT: negative

INPUT: ordered and never received it.
OUTPUT: negative

INPUT: It’s ok, buttons are kind of confusing and after 4 months the power button is stuck and we can no longer turn it on or off. Sorta disappointed in this purchase.
OUTPUT: neutral

INPUT: I don’t like it because i ordered twice they sent me the one expired. No good .I don’t want to buy anymore.
OUTPUT: negative

INPUT: I have returned it. Did not like it.
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task.


INPUT: Easy to install, fits perfectly, and does a good job.
OUTPUT: positive

INPUT: I never should've ordered this for my front porch steps. It had NO Adhesion and was a BIG disappointment.
OUTPUT: negative

INPUT: I used this product to take rust stains off my concrete driveway. It reduced the stains, but did not remove them completely. I'm hoping our Southern California sun will do the rest .
OUTPUT: neutral

INPUT: The light was easily assembled.... I had it up in about 15 minutes. Powered it up and I was in business. It has been running about a week or so and no problems to date.
OUTPUT: positive

INPUT: This is a well made device, much higher quality than the three previous cat feeders we've tried. The iOS app works well although the design is a little confusing at first. The portion control is good and the feeder mechanism has worked reliably. The camera provides a clear picture and it's great to be able to check remotely that the cat really is getting fed. Setup was relatively easy.
OUTPUT: positive

INPUT: This product worked just as designed and was very easy to install.The setup is so simple for each load on the trailer.I would def recommend this item for anyone needing a break controller.
OUTPUT: positive

INPUT: These are awesome! I just used them on my 12 ft Christmas tree so I could get it out the door. So easy to use that I’m going to buy another pair.
OUTPUT: positive

INPUT: Easy to clean as long as you clean it directly after using of course. Works great. Very happy
OUTPUT: positive

INPUT: Beautifully crafted. No problem removing cake from pan and the cakes look very nice
OUTPUT: positive

INPUT: Nice router no issues
OUTPUT: positive

INPUT: Pretty easy to work with, the finished driveway looks very nice have to see over time how it lasts , Happy with the results .
OUTPUT:


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task.


INPUT: ordered and never received it.
OUTPUT: negative

INPUT: I received this in the mail and it was MISSING. The bag is ripped open and there is no bracelet to be found....
OUTPUT: negative

INPUT: DON'T!!! Mine stopped playing 3 days after return deadline ended.
OUTPUT: negative

INPUT: I don't like anything about it and I don't like that it is not able to be returned. JUNK!
OUTPUT: negative

INPUT: Just received in mail, I think I received a used one as it had writing in the first 3 pages. And someone else's name... Otherwise seems like pretty good quality
OUTPUT: neutral

INPUT: We return the batteries and never revive a refund
OUTPUT: negative

INPUT: 2 out of three stopped working after two weeks.! Threw them all in the trash. Don't waste your money
OUTPUT: negative

INPUT: Got a screen didn’t worked reorder it and still didn’t work trash screen
OUTPUT: negative

INPUT: Great product but be aware of return policy.
OUTPUT: neutral

INPUT: I never received this and I was need to go to the store to buy a replacement
OUTPUT: negative

INPUT: this was sent back, because I did not need it
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task.


INPUT: Bought this Feb 2019. Its already wore down and in need of replacement. I dont recommend one purchase this unless its jus for looks.
OUTPUT: negative

INPUT: This product does not work at all. I have tried it on two of my vehicles and it does not cover light scratches. Waste of money.
OUTPUT: negative

INPUT: Great lights! Super bright! Way better than stock! Fit my 2002 ford ranger no problem! Love the led look! Had for about a year and only one bulb went out around 6 months i emailed them my order number and address they sent me a new bulb within 2 days! Works great ever since!! Great product for the money! Great customer service!
OUTPUT: positive

INPUT: This item appears to be the same as one I purchased from a local hardware store a year or so ago, but it is not finished or burnished to the quality of the one I previously purchased. As such it looks dull, but not exceedingly so. It is close enough to be acceptable.
OUTPUT: neutral

INPUT: Lamp works perfectly for my chicks
OUTPUT: positive

INPUT: Cheap, don’t work. Very dim. Not worth the money.
OUTPUT: negative

INPUT: Bought as gifts and me. we all love how this really cleans our electronics and my glasses
OUTPUT: positive

INPUT: The quality is meh!! (treads are hanging out from places), however the colors are not the same (as seen on the display) :(
OUTPUT: neutral

INPUT: This shade sits too low on the lens and it hangs below the top edge of the lens and is crooked! The design is terrible. What made it worse is that it cannot be returned!! Don’t buy and waste your money!
OUTPUT: negative

INPUT: Product does not stick well came loose and less than 24 hours after installing did everything correctly but just didn’t work
OUTPUT: negative

INPUT: Shines dimly. broke on next day! Awful, terrible quality. Price is higher than any other. Do not waste time and money on this!
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task.


INPUT: Looking at orher reviews the tail was supposed to be obscenely long -- it was actually the perfect size but im not sure if thats intentional. The waist strap fits perfectly-- but again, need to list that my waist is fairly wide and it sat on my hips. Im unsure about the life of the strap. To the actual quality the fur seems of a fair (not great but not terrible quality but the tail isnt fully stuffed.) Apparently theres supposed to be a wire to pose the tail. There is none in mine, which is fine cause again, mine came up shorter than others. Im only rating 3 stars because of some unintentional good things.
OUTPUT: neutral

INPUT: Great idea! My nose is always cold and I can't fall asleep when it is cold, but for some reason this isn't keeping my nose warm.
OUTPUT: neutral

INPUT: I bought the tie-dyed version and it was SO comfortable. Stretchy breathable material. I decided to buy the black version for work. Bad decision! The material is completely different. It doesn’t stretch, it’s not breathable and it is very small and uncomfortable! It even seems it’s stitched differently so that it coveres 50% less of my head. So disappointing!!
OUTPUT: negative

INPUT: Very strong cheap pleather smell that took a few days to air out. One of the straps clips onto the zipper, so be careful of the zipper slowly coming undone as you walk.
OUTPUT: neutral

INPUT: Clasps broke off after having for only a few months 😢
OUTPUT: negative

INPUT: As a hard shell jacket, it’s pretty good. I ordered the extra large for a skiing trip. It comes small so order a size bigger then normal. I can not use the fleece liner because it is too small. The hard shell is not water proof. I live in the Pacific Northwest and this is not enough to keep you dry. I really like the look of this jacket too.
OUTPUT: neutral

INPUT: The dress looked nothing like the picture! It was short, tight and cheap looking and fitting!
OUTPUT: negative

INPUT: Its good for the loose skin postpartum. I'm gonna use it for another waist trainer. Not tight enough.
OUTPUT: neutral

INPUT: Fits great kinda expensive but it’s good quality
OUTPUT: positive

INPUT: This shirt is not long as the picture indicates. It's just below waist length. Disappointed b/c I am 5'10 and wanted to wear with leggings.
OUTPUT: negative

INPUT: The strap is to long it keeps drink cold for maybe 2 hours. its very stylish
OUTPUT:


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task.


INPUT: Works good but wears up fast.
OUTPUT: neutral

INPUT: Really cute outfit and fit well. But, the two bows fell off the top the first time worn. The bows were glued on opposed to sewn.
OUTPUT: neutral

INPUT: The product fits fine and looks good. turn signal and heated mirror work. Unfortunately, the mirror vibrates on rough roads and rattles going over bumps. Plan to return it for a replacement.
OUTPUT: negative

INPUT: The quality is meh!! (treads are hanging out from places), however the colors are not the same (as seen on the display) :(
OUTPUT: neutral

INPUT: Quality was broken after 3rd use. I had a bad experience with this lost voice control.
OUTPUT: negative

INPUT: This product does not work at all. I have tried it on two of my vehicles and it does not cover light scratches. Waste of money.
OUTPUT: negative

INPUT: It didn’t work at all. All the wax got stuck at the top and would never flow.
OUTPUT: negative

INPUT: Bought this Feb 2019. Its already wore down and in need of replacement. I dont recommend one purchase this unless its jus for looks.
OUTPUT: negative

INPUT: The glitter gel flows, its super cute.
OUTPUT: positive

INPUT: Looks good. Clasp some times does not lock completely and the watch falls off. One time it fell off and the back cover popped off. I do get lots of compliments of color combination.
OUTPUT: neutral

INPUT: Works well, was great for my Injustice 2 Harley Quinn cosplay
OUTPUT:


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task.


INPUT: Very drying on my hair .
OUTPUT: negative

INPUT: I dislike this product it didnt hold water came smash in a bag and i just thow it in the trash
OUTPUT: negative

INPUT: Does not work as I thought it would. It really doesn't help much. It only last for like a hour.
OUTPUT: neutral

INPUT: Half of the pads were dried out. The others worked great!
OUTPUT: neutral

INPUT: I washed it and it lost much of its plush feel and color.
OUTPUT: neutral

INPUT: It leaves white residue all over dishes! Gross!
OUTPUT: negative

INPUT: Mango butter was extremely dry upon delivery.
OUTPUT: negative

INPUT: This is THE BEST mascara I have found. I live in south Florida and this stays on through humidity, rain, everything and NO clumping or smudging. It's buildable and really easy to remove. LOVE IT!
OUTPUT: positive

INPUT: We have a smooth collie who is about 80 pounds. Thank goodness she just jumps into the tub. When she jumps back out it takes multiple towels to get her dry enough to use the hair dryer. Yes, she really is a typical girl and does not mind the hair dryer at all. I bought this hoping it would absorb enough to get her dry without any additional towels. Did not work for Stella. Now, I am sure it would work for a small dog and is a very nice towel. If you have a small dog, go ahead and get it.
OUTPUT: neutral

INPUT: Product was not to my liking seemed diluted to other brands I have used, will not buy again. Sorry
OUTPUT: negative

INPUT: Does not dry like it is supposed to.
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task.


INPUT: You want an HONEST answer? I just returned from UPS where I returned the FARCE of an earring set to Amazon. It did NOT look like what I saw on Amazon. Only a baby would be able to wear the size of the earring. They were SO small. the size of a pin head I at first thought Amazon had forgotten to enclose them in the bag! I didn't bother to take them out of the bag and you can have them back. Will NEVER order another thing from your company. A disgrace. Honest enough for you? Grandma
OUTPUT: negative

INPUT: it does not work, only one hearing aid works at a time
OUTPUT: negative

INPUT: Bought this Feb 2019. Its already wore down and in need of replacement. I dont recommend one purchase this unless its jus for looks.
OUTPUT: negative

INPUT: These earbuds are really good.. I bought them for my wife and she is really impressed.. good sound quality.. no problem connecting to her phone.. and they look really good.. i like how the charging box looks as well.. i really think these are as good as the name brand buds.. would recommend to anyone..
OUTPUT: positive

INPUT: Worst fucking item I ever bought on Amazon I had a headache for 2 days on this bullshit I thought I had to go to the emergency room please don't but real costumer
OUTPUT: negative

INPUT: my problem with the product is the fit. I have a large head and it is too tight everywhere and the neck just doesnt feel right. I want to pull it down but then my nose has no room. I can't use it because of the poor fit.
OUTPUT: negative

INPUT: this item and the replacement were both 6 weeks past the expiration date
OUTPUT: negative

INPUT: Absolutely terrible. I ordered these expecting a quality product for 10 dollars. They were shipped in an envelope inside of another envelope all just banging against each other while on their way to me from the seller. 3 of them are broken internally, they make a rattle noise as the ones that work do not. I will be requesting a refund for these and filing a complaint with Amazon. Don't purchase unless you like to buy broken/damaged goods. Completely worthless.
OUTPUT: negative

INPUT: Solid value for the money. I’ve yet to have a problem with the first pair I bought. Buying a second for my second box.
OUTPUT: positive

INPUT: Stopped working after a couple of weeks. You get what you pay for.
OUTPUT: negative

INPUT: Right earbud has given our after less than 6 months of use. Do not buy.
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task.


INPUT: Ordered two identical rolls. One arrived with the vacuum bag having a large hole poked in the center - almost the size of the center hub hole. Since the roll arrives in a product box the hole either occurred before boxing at the manufacturer or I received a return. The seller responded promptly and asked for photos, which I provided. Then they asked if there was anything wrong with the product. Huh? I replied it has some issues (likely moisture related). Then they asked for details of issues. Huh? Well, I've had enough of providing them details of the damaged/defective product.
OUTPUT: neutral

INPUT: Not super durable. The bag holds up okay but the drawstrings sometimes tear if the bag gets past a couple lbs.
OUTPUT: neutral

INPUT: Very poorly packaged. The glasses banged each other. Should have been bubble wrapped. So bummed that I can’t use these for a party tonight!
OUTPUT: negative

INPUT: I dislike this product it didnt hold water came smash in a bag and i just thow it in the trash
OUTPUT: negative

INPUT: Cute bag zipper broke month after I bought it.
OUTPUT: neutral

INPUT: When i opened the package 2 of them were broken. Very disappointing
OUTPUT: negative

INPUT: Cool bag with graphics, but smelled like mildew.
OUTPUT: neutral

INPUT: My husband is in law enforcement and loves this bag.
OUTPUT: positive

INPUT: Huge disappointment box was all messed up and toy was broken
OUTPUT: negative

INPUT: Need better packaging. Rose just wiggles around in the box. Bouncing and damaging.
OUTPUT: neutral

INPUT: one bag was torn when it's delivered
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task.


INPUT: Total crap wouldn't even plug into the phone the pins were bent before I even tried to use it
OUTPUT: negative

INPUT: Great ideas in one device. One of those devices you pray you’ll never need, but I’m pretty sure are up for the task.
OUTPUT: positive

INPUT: it does not work, only one hearing aid works at a time
OUTPUT: negative

INPUT: Had some problems getting it to work. The supplied cable was no good - would not charge the battery. When I replaced cable with my own was able to charge and then connect the device via bluetooth to a PC. Had trouble finding the PC software but when I emailed their support they responded within a day with the correct download info. PC program works well for testing the unit after you figure out which port to use (port 4 in my case). The accuracy and stability of the unit look very good for my application, however I was not able to connect to either an iPhone or iPad (tried several of each) via bluetooth. Will have to hard-wire if I decide to use this device in my product.
OUTPUT: neutral

INPUT: These are very fragile. I have a cat who is a bit rambunctious and sometimes knocks my phone off my nightstand while it's plugged in. He managed to break all of these the first or second time he did that. I'm sure they're fine if you're very careful with them, but if whatever you're charging falls off a table or nightstand while plugged in, these are very likely to stop working quickly.
OUTPUT: negative

INPUT: It worked for a week. My husband loved it. And then all of the sudden it won't charge or turn on. It just stopped working.
OUTPUT: negative

INPUT: Not enough information and it seems to behave erratically. Not contacted Tech Support yet. Support URL in printed instructions is dead. Needs better instructions for VOIP POTS without cordless phones in home. I am somewhat allergic to radios. Literature does not tell what to expect when CPR Call blocker is disconnected for short period of time. It depends entirely on talk line battery. I need it to work and am not giving up. Tech support seems to be illusive.
OUTPUT: neutral

INPUT: Upsetting...these only work if you have a thin phone and or no phone case at all. I'm not going to take my phone's case (which isn't thick) off Everytime I want to use the stand. Wast of money. Don't buy if you use a phone case to protect your phone it's too thin.
OUTPUT: negative

INPUT: I bought this because my original charger finally gave up on me. This one won’t stay inside my phone. The charging piece won’t stay inside my phone.
OUTPUT: neutral

INPUT: Not worth it the data cable had to move it in a certain position to make it work i just returned it back.
OUTPUT: negative

INPUT: One of them worked, the other one didn't. There's no apparent damage, it just won't work on multiple phones and with multiple wall ports.
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task.


INPUT: You want an HONEST answer? I just returned from UPS where I returned the FARCE of an earring set to Amazon. It did NOT look like what I saw on Amazon. Only a baby would be able to wear the size of the earring. They were SO small. the size of a pin head I at first thought Amazon had forgotten to enclose them in the bag! I didn't bother to take them out of the bag and you can have them back. Will NEVER order another thing from your company. A disgrace. Honest enough for you? Grandma
OUTPUT: negative

INPUT: Easy to use, quick and mostly painless!
OUTPUT: positive

INPUT: These are very fragile. I have a cat who is a bit rambunctious and sometimes knocks my phone off my nightstand while it's plugged in. He managed to break all of these the first or second time he did that. I'm sure they're fine if you're very careful with them, but if whatever you're charging falls off a table or nightstand while plugged in, these are very likely to stop working quickly.
OUTPUT: negative

INPUT: They are so comfortable that I don't even know I am wearing them.
OUTPUT: positive

INPUT: The first guard may serve more as a learning curve. I do kinda prefer to use the ones that come with molding trays. This didn't help until about 3-4 nights of use. Even then, sometimes it feels like my upper gum underneath, is strange feeling the next morning
OUTPUT: neutral

INPUT: Clasps broke off after having for only a few months 😢
OUTPUT: negative

INPUT: my problem with the product is the fit. I have a large head and it is too tight everywhere and the neck just doesnt feel right. I want to pull it down but then my nose has no room. I can't use it because of the poor fit.
OUTPUT: negative

INPUT: Use at your own risk. My wife and I both had burning sensation and skin reactions. No history of sensitive skin.
OUTPUT: negative

INPUT: Mediocre all around. Durability is "meh". Find a good (modular) set that will last you 10x the durability. This isn't the cheap Chinese headphones you have been looking for. Look for IEM
OUTPUT: neutral

INPUT: I bought these for a replacement for the original band that broke. Fits perfectly with no issues.
OUTPUT: positive

INPUT: ear holes are smaller so i can hurt after long use.
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task.


INPUT: Not worth it the data cable had to move it in a certain position to make it work i just returned it back.
OUTPUT: negative

INPUT: Overall I liked the phone especially for the price. The durability is my main issue I dropped the phone once onto a wood floor from about 12 inches and the screen cracked after having it for about 2 weeks. Otherwise it seemed to be a decent phone. It had a few little quirks that took a little getting used to but otherwise I think it wood be a good phone if it was more durable.
OUTPUT: neutral

INPUT: Received this file box last night, and begin to put my documents in as soon as I received it. It is very good for me as my husband and I get a lot paperwork to save. The colorful tags make it easier to find what I want. The material is strong. I finally get something to help with the messy drawer! Love this product! I believe I will buy another one when this one is full!
OUTPUT: positive

INPUT: Worst iPhone charger ever. The charger head broke after used for 5 Times. Terrible quality.
OUTPUT: negative

INPUT: I didn’t like that it was made out of plastic and that you had to put it together yourself.
OUTPUT: negative

INPUT: Downloaded the app after disconnecting my cable provider to watch shows that I enjoy and to see any of them you have to sign in thru your cable provider. Really disappointed!!
OUTPUT: negative

INPUT: Bought this just about 6 months agi and is already broken. Just does not charge the computer and is as good as stone. Would not recommend this and instead buy the original from he Mac store. This product is not worth the price.
OUTPUT: negative

INPUT: I don't like anything about it and I don't like that it is not able to be returned. JUNK!
OUTPUT: negative

INPUT: Had some problems getting it to work. The supplied cable was no good - would not charge the battery. When I replaced cable with my own was able to charge and then connect the device via bluetooth to a PC. Had trouble finding the PC software but when I emailed their support they responded within a day with the correct download info. PC program works well for testing the unit after you figure out which port to use (port 4 in my case). The accuracy and stability of the unit look very good for my application, however I was not able to connect to either an iPhone or iPad (tried several of each) via bluetooth. Will have to hard-wire if I decide to use this device in my product.
OUTPUT: neutral

INPUT: So far my daughter loves it. She uses it for school backpack. As far as durable, we just got it, so we will have to see.
OUTPUT: positive

INPUT: Not pleased with this external hard drive. I got it bc I don't have any storage space on my phone. I plugged it in to my iPhone and I have to download the app for it....which requires available storage space, which I don't have! It is also doesn't seem to be quality made. Disappointed overall.
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task.


INPUT: These are great for SO many things. Originally I had them in my drink at a club but then later bought them for my wedding center pieces. The light stays on for weeks but becomes dim after 3 or 4 days. We had a great time leaving the extra ones around the party and will use the extra ones for fun.
OUTPUT: positive

INPUT: Remote does work well, however the batteries do not last long. Disappointing.
OUTPUT: neutral

INPUT: Love them. have to turn off when not in use tho
OUTPUT: positive

INPUT: The light was easily assembled.... I had it up in about 15 minutes. Powered it up and I was in business. It has been running about a week or so and no problems to date.
OUTPUT: positive

INPUT: Great lights! Super bright! Way better than stock! Fit my 2002 ford ranger no problem! Love the led look! Had for about a year and only one bulb went out around 6 months i emailed them my order number and address they sent me a new bulb within 2 days! Works great ever since!! Great product for the money! Great customer service!
OUTPUT: positive

INPUT: These are very fragile. I have a cat who is a bit rambunctious and sometimes knocks my phone off my nightstand while it's plugged in. He managed to break all of these the first or second time he did that. I'm sure they're fine if you're very careful with them, but if whatever you're charging falls off a table or nightstand while plugged in, these are very likely to stop working quickly.
OUTPUT: negative

INPUT: These little lights are awesome. They put off a nice amount of light. And you can put them ANYWHERE! I have put one in the pantry. Another in my linen closet. Another one right next to my bed for when I get up in the middle of the night. Have only had them about a month but so far so good!
OUTPUT: positive

INPUT: So pretty...but the first time I unplugged it, the glass top came off of the base. There’s a plastic ring attached to the bottom of the glass part. It has notches - supposedly to allow you to twist it onto the nightlight base. You’d need to be able to do that in order to replace the bulb. I’ll try gorilla glue or something to see if the ring can be securely affixed to the glass. Surprisingly poor design for something so beautiful.
OUTPUT: negative

INPUT: These are awesome! I just used them on my 12 ft Christmas tree so I could get it out the door. So easy to use that I’m going to buy another pair.
OUTPUT: positive

INPUT: We return the batteries and never revive a refund
OUTPUT: negative

INPUT: Love the lights, however, if you leave them in the on position for more than a few days in order to use the remote, the batteries drain quickly whether the candles are actually lit up or not.
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task.


INPUT: Huge disappointment box was all messed up and toy was broken
OUTPUT: negative

INPUT: Can't wait for the next book to be published.
OUTPUT: positive

INPUT: don't like it, too lumpy
OUTPUT: neutral

INPUT: Just what I expected! Very nice!
OUTPUT: positive

INPUT: Wow. I want that time back. What a huge BORE!!
OUTPUT: negative

INPUT: Nothing like the photo. Boo.
OUTPUT: negative

INPUT: Waste of money smfh sooo upset
OUTPUT: negative

INPUT: Good deal for a good price
OUTPUT: positive

INPUT: I didn’t like that it was made out of plastic and that you had to put it together yourself.
OUTPUT: negative

INPUT: Did not fit very well
OUTPUT: negative

INPUT: Not happy. Not what we were hoping for.
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task.


INPUT: Absolutely terrible. I ordered these expecting a quality product for 10 dollars. They were shipped in an envelope inside of another envelope all just banging against each other while on their way to me from the seller. 3 of them are broken internally, they make a rattle noise as the ones that work do not. I will be requesting a refund for these and filing a complaint with Amazon. Don't purchase unless you like to buy broken/damaged goods. Completely worthless.
OUTPUT: negative

INPUT: Maybe it's just my luck because this seems to happen to me with other products but the motor broke in 2 weeks. That was a bummer. I liked it for the 2 weeks though!
OUTPUT: neutral

INPUT: Product received was not the product ordered. It was a different set without a kettle and their were ants crawling in and out of the box so i didnt even open it but the picture shows a different item with no kettle. I was sent the same thing as a replacement. Fast shipping though.
OUTPUT: negative

INPUT: The packaging of this product was terrible. Just the device with no instructions in a box with no bubble wrap. Device rolling around in a box 3x’s it’s size. No order slip.
OUTPUT: neutral

INPUT: It was a great kit to put together but one gear is warped and i am finding myself ripping my hair out sanding and adjusting it to try to get it to tick more than a few seconds at a time.
OUTPUT: neutral

INPUT: Took a chance on a warehouse deal and lost. It said like new minor cosmetic on front turned out to be stickers on front and a broken speaker Connection in the back making Channel 1 useless.
OUTPUT: negative

INPUT: Im not sure if its just this sellers stock of this product or what but the first order was no good, each bottle had mold and clumps in the bottle and usually companies will put a couple of metal beads in a bottle to aid in the mixing but these had a rock in it... like a rock off the ground. I decided to replace the item, same seller, and once again they were all clumpy and gross... I attached a photo. I wouldnt buy these, at least not from this seller.
OUTPUT: negative

INPUT: Bought as gifts and me. we all love how this really cleans our electronics and my glasses
OUTPUT: positive

INPUT: I never received my item that I bought and it’s saying it was delivered.
OUTPUT: negative

INPUT: Fantastic buy! Computer arrived quickly and was well packaged. Everything looks and performs like new. I had a problem with a cable. I contacted the seller and they immediately sent me out a new one. I can't say enough good things about about this purchase and this computer. I will definitely use them again.
OUTPUT: positive

INPUT: Not only was the product poorly packaged, it did not work and made a horrible grinding noise when turned on. To make matters worse, I followed ALL return instructions and still have not been issued my refund! Would give zero stars if I could.
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task.


INPUT: The small cover didn’t seem to work very well. I don’t feel that they do Avery good job from keeping the avocado from turning brown
OUTPUT: neutral

INPUT: The screen protector moves around and doesn't stick so it pops off or slides around
OUTPUT: negative

INPUT: So pretty...but the first time I unplugged it, the glass top came off of the base. There’s a plastic ring attached to the bottom of the glass part. It has notches - supposedly to allow you to twist it onto the nightlight base. You’d need to be able to do that in order to replace the bulb. I’ll try gorilla glue or something to see if the ring can be securely affixed to the glass. Surprisingly poor design for something so beautiful.
OUTPUT: negative

INPUT: It will not turn on. It was a gift and the person called and said it does not work. It won't turn on. I would like to send back and get either another or my money back.
OUTPUT: negative

INPUT: The paw prints are ALREADY coming off the bottom of the band where you snap it together, I've only worn it three times. Very upset that the paw prints have started rubbing off already 😡
OUTPUT: neutral

INPUT: Looks good. Clasp some times does not lock completely and the watch falls off. One time it fell off and the back cover popped off. I do get lots of compliments of color combination.
OUTPUT: neutral

INPUT: my problem with the product is the fit. I have a large head and it is too tight everywhere and the neck just doesnt feel right. I want to pull it down but then my nose has no room. I can't use it because of the poor fit.
OUTPUT: negative

INPUT: This shade sits too low on the lens and it hangs below the top edge of the lens and is crooked! The design is terrible. What made it worse is that it cannot be returned!! Don’t buy and waste your money!
OUTPUT: negative

INPUT: The battery covers screw stripped out the first day on both cars I purchased for Christmas.
OUTPUT: negative

INPUT: Bought this iPhone for my 9.7” 6th generation iPad as advertised. Not only did this take over 30 minutes just try to put it on, but it also doesn’t fit whatsoever. When we did get it on, it just bent right off the sides, exposing the entire edges of all the parts of the iPad. This is the worst piece of garbage I have bought from Amazon in years, save your money and go somewhere else!!
OUTPUT: negative

INPUT: The top part of the cover does not stay on.
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task.


INPUT: I really love this product. I love how big it is compare to others diaper changing pads. I love the extra pockets and on top of that you get a free insulated bottle bag. All of that for an amazing price.
OUTPUT: positive

INPUT: I have bought these cloths in the past, but never from Amazon. In contrast to previous purchases, these cloths do not absorb properly after the first wash. After washing they feel more like 'napkins'... very disappointed.
OUTPUT: negative

INPUT: Half of the pads were dried out. The others worked great!
OUTPUT: neutral

INPUT: The first guard may serve more as a learning curve. I do kinda prefer to use the ones that come with molding trays. This didn't help until about 3-4 nights of use. Even then, sometimes it feels like my upper gum underneath, is strange feeling the next morning
OUTPUT: neutral

INPUT: BEST NO SHOW SOCK EVER! Period, soft, NEVER slips, and is a slightly thick sock. Not to thick though, perfect for running shoes too!
OUTPUT: positive

INPUT: They work really well for heartburn and stomach upset. But taking a couple stars off as capsules are poor quality and break. I lost over 30 in a bottle of 120 as they leaked. Powder ended up bottom of bottle.
OUTPUT: neutral

INPUT: Idk what is in these pads but they gave my nips some problems. When I nursed my baby and folded these down the adhesion would get all wonky and end up sticking to me. I love how thin they are but I’ve never have had problems with nursing pads like I did with these
OUTPUT: neutral

INPUT: They’re cute and work well for my kids. Price is definitely great for kids sheets.
OUTPUT: positive

INPUT: Comfortable and worth the purchase
OUTPUT: positive

INPUT: I was very disappointed in this item. It is very soft and not chewy. It falls apart in your hand. My dog eats them but I prefer a more chewy treat for my dog.
OUTPUT: negative

INPUT: I'm never buying pads again! I've been using these for months now and I absolutely love them. They're super durable and easy to clean, great for people with sensitive skin or who have allergies. These are soft, hypoallergenic, and super absorbent without feeling like wearing a diaper or something (at least, that's how I used to feel wearing pads). The money you spend now saves you ever having to spend on pads again.
OUTPUT:


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task.


INPUT: never got it after a week when promised
OUTPUT: negative

INPUT: Smell doesn't last as long as I would like. When first opened, it smells great!
OUTPUT: neutral

INPUT: This sweatshirt changed my life. I wore this sweatshirt almost every single day from January 25th, 2017 up until last week or so when the hood fell off after almost a year of abuse. This sweatshirt has made me realize that the small things in life are the things that matter. Thank you Hanes, keep doing what you do. Love, Justin
OUTPUT: positive

INPUT: Started using it yesterday.. so far so good.. no side effects.. 1/4 of a teaspoon twice per day in protein shakes.. I guess it takes a few weeks for chronic potassium deficiency and chronic low acidic state to be reversed and for improvements on wellbeing to show.. I suggest seller supplies 1/8 spoon measure with this item and clear instructions on dosage because an overdose can be lethal
OUTPUT: neutral

INPUT: Wow. I want that time back. What a huge BORE!!
OUTPUT: negative

INPUT: It worked for a week. My husband loved it. And then all of the sudden it won't charge or turn on. It just stopped working.
OUTPUT: negative

INPUT: It's only been a few weeks and it looks moldy & horrible. I bought from the manufacturer last year and had no problems.
OUTPUT: negative

INPUT: I had it less than a week and the c type tip that connects to my S9 got burnt.
OUTPUT: negative

INPUT: Wouldn’t keep air the first day of use!!!
OUTPUT: negative

INPUT: Great length but only lasted 6 months.
OUTPUT: neutral

INPUT: Last me only couple of week
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task.


INPUT: Will continue to buy.
OUTPUT: positive

INPUT: I don't like anything about it and I don't like that it is not able to be returned. JUNK!
OUTPUT: negative

INPUT: I would buy it again. Just as a treat, was a nice little side dish pack for nights when me or my husband didn't want to cook.
OUTPUT: neutral

INPUT: The case and disc were clean when I got them. No cracks to the case and the game worked as needed. The game itself is wonderful, full of adventure. There isn't much in replay value per se, yet most of the players find themselves going back for more, if only to level up their characters.
OUTPUT: positive

INPUT: cheap and waste of money
OUTPUT: negative

INPUT: DON'T!!! Mine stopped playing 3 days after return deadline ended.
OUTPUT: negative

INPUT: Fantastic buy! Computer arrived quickly and was well packaged. Everything looks and performs like new. I had a problem with a cable. I contacted the seller and they immediately sent me out a new one. I can't say enough good things about about this purchase and this computer. I will definitely use them again.
OUTPUT: positive

INPUT: Great product but be aware of return policy.
OUTPUT: neutral

INPUT: Worst fucking item I ever bought on Amazon I had a headache for 2 days on this bullshit I thought I had to go to the emergency room please don't but real costumer
OUTPUT: negative

INPUT: We return the batteries and never revive a refund
OUTPUT: negative

INPUT: I not going to buy it again
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task.


INPUT: It’s a nice looking piece of furniture when assembled, but assembly was difficult. Some of the letter markings were incorrectly marked so I had to try and figure out on my own The screws they supplied to attach the floor and side panels all cracked. I had to go out and purchase corner brackets to make sure they stayed together. Also the glass panel doors are out of line and don’t match evenly. This alignment prevents one of the doors from staying closed as the magnet to keep the door closed is out of line. Still haven’t figured out to align them.
OUTPUT: neutral

INPUT: I reuse my Nespresso capsules and these fit perfectly and keep all coffee grounds out.
OUTPUT: positive

INPUT: Easy to clean as long as you clean it directly after using of course. Works great. Very happy
OUTPUT: positive

INPUT: The graphics were not centered and placed more towards the handle than what the Amazon image shows. Only the person drinking can see the graphics. I will be returning the item.
OUTPUT: negative

INPUT: Please note that it’s pretty small, so it’ll take a few trips to grind enough for a good session. Also the top is kinda tricky because you have to screw it on each time to grind.
OUTPUT: neutral

INPUT: Great quality but too wide to fit BBQ Galore Grand Turbo 4 burner with 2 searing bars.
OUTPUT: positive

INPUT: This door hanger is cute and all but its a bit small. My main complain is that, i cannot close my door because the bar latched to the door isnt flat enough.. Worst nightmare.
OUTPUT: negative

INPUT: Very easy install. Directions provided were simple to understand. Lamp worked on first try! Thanks!
OUTPUT: positive

INPUT: I didn’t like that it was made out of plastic and that you had to put it together yourself.
OUTPUT: negative

INPUT: Once installed we realized that it's missing a gasket or something behind it to seal it to the shower wall. Water can just run behind it because it doesn't fit tightly. It looks great and I like it, but we have to figure something out to make it more functional.
OUTPUT: neutral

INPUT: This is an awesome coffee bar! We put it to fairly easy. Just make sure you look at the piece and figure out which is the front and back. I had to take it back apart and turn some around.
OUTPUT:


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task.


INPUT: Thin curtains that are only good for an accent. 56" wide is if you can stretch to maximum. Minimal light and noise reduction. NOT WORTH THE PRICE!!!
OUTPUT: negative

INPUT: very cute style and design, but tarnished after 1 wear!
OUTPUT: neutral

INPUT: My cousin has one for his kid, my daughter loves it. I got one for my back yard,but not easy to find a good spot to hang it. After i cut some trees, now its prefect. Having lots of fun with my daughter. Nice swing, easy to install.
OUTPUT: positive

INPUT: They’re cute and work well for my kids. Price is definitely great for kids sheets.
OUTPUT: positive

INPUT: Ummmm, buy a hard side for your expensive wreath. It is too thin to protect mine.
OUTPUT: neutral

INPUT: These sunglasses are GREAT quality, and super stylish. I didn't think I'd love any sunnies off of Amazon, but this was the first pair I took a chance on and I love them! Definitely a great buy!
OUTPUT: positive

INPUT: great throw for high end sofa, and works with any style even contemporary sleek sectionals
OUTPUT: positive

INPUT: Great hold and strength on the magnet. Can be easily maneuvered to fit your needs for holding curtains back.
OUTPUT: positive

INPUT: Lots of lines, not easy to color. Definitely not for kids or elderly .
OUTPUT: neutral

INPUT: The Marino Avenue brand Men’s low cut socks are of good quality. I put them through one cycle of hot water washing and drying and they stood up to the challenge. What I like best is the color choices on the socks. The green, yellow, red, and black one is my favorite combo.
OUTPUT: positive

INPUT: Very cute short curtains just what I was looking for for my new farmhouse style decor
OUTPUT:


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task.


INPUT: Overall I liked the phone especially for the price. The durability is my main issue I dropped the phone once onto a wood floor from about 12 inches and the screen cracked after having it for about 2 weeks. Otherwise it seemed to be a decent phone. It had a few little quirks that took a little getting used to but otherwise I think it wood be a good phone if it was more durable.
OUTPUT: neutral

INPUT: Cheap material. Broke after a couple month of usage and I emailed the company about it and never got a response. There are much better phone cases out there so don't waste your time with this one.
OUTPUT: negative

INPUT: Fits great kinda expensive but it’s good quality
OUTPUT: positive

INPUT: I mean the case looks cool. I don’t know anything about functionality but they sent me a iPhone 8 Plus case. The title says 6 plus, I ordered a 6 plus and there was no option on selecting another iPhone size beside 6 and 6 plus so I’m very disappointed in the service
OUTPUT: negative

INPUT: I like this case a lot but it broke on me 3 times lol it's not very durable but it's cute! the bumper and clear part will snap apart
OUTPUT: neutral

INPUT: Very good price for a nice quality bracelet. My sister loved her birthday present! She wears it everyday.
OUTPUT: positive

INPUT: Quality is just okay. Magnet on the back is strong and it's nice its detachable but the case around the phone isn't very protective and very flimsy. You get what you pay for.
OUTPUT: neutral

INPUT: Terrible product, wouldn't stick tok edges of the phone
OUTPUT: negative

INPUT: Comfortable and worth the purchase
OUTPUT: positive

INPUT: These earbuds are really good.. I bought them for my wife and she is really impressed.. good sound quality.. no problem connecting to her phone.. and they look really good.. i like how the charging box looks as well.. i really think these are as good as the name brand buds.. would recommend to anyone..
OUTPUT: positive

INPUT: Just as good as the other speck phone cases. It is just prettier
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task.


INPUT: Glass is extremely thin. Mine broke into a million shards. Very dangerous!
OUTPUT: neutral

INPUT: Ordered this for a Santa present and Christmas Eve noticed it came broken!
OUTPUT: negative

INPUT: Very poorly packaged. The glasses banged each other. Should have been bubble wrapped. So bummed that I can’t use these for a party tonight!
OUTPUT: negative

INPUT: So pretty...but the first time I unplugged it, the glass top came off of the base. There’s a plastic ring attached to the bottom of the glass part. It has notches - supposedly to allow you to twist it onto the nightlight base. You’d need to be able to do that in order to replace the bulb. I’ll try gorilla glue or something to see if the ring can be securely affixed to the glass. Surprisingly poor design for something so beautiful.
OUTPUT: negative

INPUT: DISAPPOINTED! Owl arrived missing stone for the right eye. Supposed to be a gift.
OUTPUT: neutral

INPUT: The teapot came with many visible scratches on it. After repeated efforts to contact the seller, they have simply ignored requests to replace or refund money.
OUTPUT: negative

INPUT: It’s a nice looking piece of furniture when assembled, but assembly was difficult. Some of the letter markings were incorrectly marked so I had to try and figure out on my own The screws they supplied to attach the floor and side panels all cracked. I had to go out and purchase corner brackets to make sure they stayed together. Also the glass panel doors are out of line and don’t match evenly. This alignment prevents one of the doors from staying closed as the magnet to keep the door closed is out of line. Still haven’t figured out to align them.
OUTPUT: neutral

INPUT: Took a chance on a warehouse deal and lost. It said like new minor cosmetic on front turned out to be stickers on front and a broken speaker Connection in the back making Channel 1 useless.
OUTPUT: negative

INPUT: These monitors arrived fairly quickly and they're a great deal but the packages were in ridiculous condition. Big boot footprints were on two boxes, a big hole in another and all of them were crushed pretty good. I haven't opened and setup the monitors yet but I'll be surprised if some aren't damaged. Probably need a new shipping company or contact them about the shape some of those are in.
OUTPUT: neutral

INPUT: Maybe it's just my luck because this seems to happen to me with other products but the motor broke in 2 weeks. That was a bummer. I liked it for the 2 weeks though!
OUTPUT: neutral

INPUT: Glass was broken had to ship it back waiting on the new one to be here tomorrow hopefully not not broken.
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task.


INPUT: I opened a bottle of this smart water and took a large drink, it had a very strong disgusting taste (swamp water). I looked into the bottle and found many small particles were floating in the water... a few brown specs and some translucent white. I am completely freaked out and have contacted Coca-Cola, the product manufacture.
OUTPUT: negative

INPUT: these were ok, but to big for the craft I needed them for. Maybe find something to use them on.
OUTPUT: neutral

INPUT: Cute, soft and great for a baby that’s 1 and loves Bubble Guppies.
OUTPUT: positive

INPUT: There was some question on as to whether or not these were solid stainless steel or not on the listing. Since the seller made a point of saying they were solid, I decided to give it a shot. The bad news: my grill was 1/2" too wide, so I had to saw off the nubs on the end of the grates to fit. The good news: they are definitely solid stainless as advertised, so I am not worried about these grates de-laminating like my old factory grates. Glad I bought these. They look great, well-constructed and feel heavy duty. Can't wait to fire up the grill!
OUTPUT: positive

INPUT: Okay pool cue. However you can buy one 4 oz. lighter (21 oz,) for 1/3 the price of this 25 oz. cue. Not worth the extra money for the weight difference.
OUTPUT: neutral

INPUT: I reuse my Nespresso capsules and these fit perfectly and keep all coffee grounds out.
OUTPUT: positive

INPUT: The filters arrived on time. The quality is as expected.
OUTPUT: positive

INPUT: What a really great set of acrylics. My daughter has been painting with them since they came in. The colors come in a wide range of vibrant colors that have a smooth consistency. These paints are packed in aluminum tubes which allows the paint to not dry or crack over time.
OUTPUT: positive

INPUT: These raw cashews are delicious and fresh.
OUTPUT: positive

INPUT: I'm really pissed off about this tiny brush that was sent with the bottle. This has to be a joke. I've purchased smaller water bottles and received a brush bigger/better than this.
OUTPUT: neutral

INPUT: Loved that they were dishwasher safe and so colorful. Unfortunately they are not airtight so unsuitable for carbonated water. I just bought a soda stream and needed bottles for the water. It lost its carbonation ☹️
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task.


INPUT: The 8 year old nephew said he wanted this for his birthday. I felt it was a bit much for a toy but he caught me on a good day. Come to find out it's a fragile collectible so the nephew lost all the small parts the moment he opened it. I guess it's adequate for collectors that want detail on such a small figurine.
OUTPUT: neutral

INPUT: Awkward shape, does not fit all butter sticks
OUTPUT: neutral

INPUT: Our family does a game night most weeks and I got this thinking it would be fun to play. And it was. We played it 3 times (2 adults and 2 kids, 11 and 10) before we figured out how to win every time. Even the "more challenging" level is just more flooding, which, once solved, isn't much of a challenge. I was hoping for re-playability, but we've taken this one out of the rotation. Fun and interesting the first couple of times through, though.
OUTPUT: neutral

INPUT: Not all the colors of beads were included with my kit
OUTPUT: neutral

INPUT: The graphics were not centered and placed more towards the handle than what the Amazon image shows. Only the person drinking can see the graphics. I will be returning the item.
OUTPUT: negative

INPUT: Picture was incredibly misleading. Shown as a large roll and figured the size would work for my project, then I received the size of a piece of paper.
OUTPUT: negative

INPUT: Ordered these for my daughter as a Christmas present. When she opened the case 3 of the markers did not have the caps on and were completely dried out. She was very disappointed. She then starting testing all of them on a piece of paper, several of them began to run out of ink very quickly. Not happy with this product, tried to return, however these markets are an unreturnable item.
OUTPUT: negative

INPUT: I received this in the mail and it was MISSING. The bag is ripped open and there is no bracelet to be found....
OUTPUT: negative

INPUT: The package only had 1 rectangular pan and 1 cupcake pan. Missing 2 rectangular pans.
OUTPUT: negative

INPUT: I thought it was much bigger, it's look like a new born baby ear ring.
OUTPUT: neutral

INPUT: We have another puzzle like this we love and were excited to add to ours but this is just circles with the smaller shapes painted on. Not what is looks like, no challenge
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task.


INPUT: Huge disappointment box was all messed up and toy was broken
OUTPUT: negative

INPUT: Just got the product and tested over the weekend for a big party. It turned out great for the 8lb ribs my hubby cooked. Got lots of compliments from the guests!
OUTPUT: positive

INPUT: What a wonderful first book in a new series. I love all of Ms. Kennedy’s books and I eagerly one clicked this one. It has engaging characters, a strong storyline and hot encounters. I really enjoyed it.
OUTPUT: positive

INPUT: Good Quality pendant and necklace, but gems are a little lacking in color.
OUTPUT: neutral

INPUT: Mango butter was extremely dry upon delivery.
OUTPUT: negative

INPUT: This was very easy to use and the cookies turned out great for the Boy Scout Ceremony!
OUTPUT: positive

INPUT: Just what I expected! Very nice!
OUTPUT: positive

INPUT: my expectations were low for a cheap scale. they were not met, scale doesnt work. popped the cover off the back to put a battery in and the wires were cut and damaged. wouldn't even turn on. sending it back. product is flimsy and cheap, spend 20 extra bucks on a better brand or scale.
OUTPUT: negative

INPUT: I initially was impressed by the material quality of the headphones, but as I connected the headphones to listen to my song there was a problem. There is constantly this weird "old cable tv that has lost it's signal sound" in the background when trying to listen to anything. Pretty disappointed.
OUTPUT: neutral

INPUT: Had three weeks and corner grommet ripped out
OUTPUT: negative

INPUT: Hash brown main entree wasn't great, everything else was amazing. What else can you expect for an MRE?
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task.


INPUT: Good but arrived melted because of heat even though it had been boxed with ice pack which was melted!
OUTPUT: neutral

INPUT: She loved very much as a birthday gift and also said it will come in handy for all kinds of outings.
OUTPUT: positive

INPUT: Did not fit very well
OUTPUT: negative

INPUT: Nice router no issues
OUTPUT: positive

INPUT: My puppies loved it!
OUTPUT: positive

INPUT: Comfortable and worth the purchase
OUTPUT: positive

INPUT: Huge disappointment box was all messed up and toy was broken
OUTPUT: negative

INPUT: Enjoyable but at times confusing and difficult to follow.
OUTPUT: neutral

INPUT: seems okay, weaker than i thought it be be and too tight
OUTPUT: neutral

INPUT: understated, but they did not look good on my overstated face.
OUTPUT: neutral

INPUT: Was OK but not wonderful
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task.


INPUT: Ordered these for a friend and he loved them!
OUTPUT: positive

INPUT: The clear backing lacks the stickiness to keep the letters adhered until you’re finished weeding! It’s so frustrating to have to keep up with a bunch of letters and pieces that have curled and fell off the paper! It requires additional work to make sure that they’re aligned properly and being applied on the right side, which was an issue for me several times! I purchased 3 packs of this and while it’s okay for larger designs, it sucks for lettering or anything intricate 😏 Possibly it’s old and dried out, but in any event, I will not be buying from this vendor again and suggest that you don’t either!
OUTPUT: negative

INPUT: Much smaller than what I expected. The quality was not that great the paper in the lower end of the cup was ruined after first wash with the kids.
OUTPUT: neutral

INPUT: Need better packaging. Rose just wiggles around in the box. Bouncing and damaging.
OUTPUT: neutral

INPUT: This was very easy to use and the cookies turned out great for the Boy Scout Ceremony!
OUTPUT: positive

INPUT: What a really great set of acrylics. My daughter has been painting with them since they came in. The colors come in a wide range of vibrant colors that have a smooth consistency. These paints are packed in aluminum tubes which allows the paint to not dry or crack over time.
OUTPUT: positive

INPUT: Good Quality pendant and necklace, but gems are a little lacking in color.
OUTPUT: neutral

INPUT: Easy to peel and stick. They don't fall off.
OUTPUT: positive

INPUT: Received this file box last night, and begin to put my documents in as soon as I received it. It is very good for me as my husband and I get a lot paperwork to save. The colorful tags make it easier to find what I want. The material is strong. I finally get something to help with the messy drawer! Love this product! I believe I will buy another one when this one is full!
OUTPUT: positive

INPUT: They’re cute and work well for my kids. Price is definitely great for kids sheets.
OUTPUT: positive

INPUT: Quite happy with these cards. They are a larger size than many I've seen and the rose stickers for sealing are a nice touch.
OUTPUT:


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task.


INPUT: The dress looked nothing like the picture! It was short, tight and cheap looking and fitting!
OUTPUT: negative

INPUT: I like the price on these. Although they are ridiculously hard to open due to the 2 lines to lock it. Also they don’t stand up straight.
OUTPUT: neutral

INPUT: Beautifully crafted. No problem removing cake from pan and the cakes look very nice
OUTPUT: positive

INPUT: I didn’t like that it was made out of plastic and that you had to put it together yourself.
OUTPUT: negative

INPUT: spacious , love it and get many compliments
OUTPUT: positive

INPUT: I've bought many wigs by far this is the best! I was sceptical about the price and quality but it surpassed my expectations. Loving my new wig great texture natrual looking!!
OUTPUT: positive

INPUT: very cute style and design, but tarnished after 1 wear!
OUTPUT: neutral

INPUT: The quality is meh!! (treads are hanging out from places), however the colors are not the same (as seen on the display) :(
OUTPUT: neutral

INPUT: Bought this Feb 2019. Its already wore down and in need of replacement. I dont recommend one purchase this unless its jus for looks.
OUTPUT: negative

INPUT: Perfect brush, small radius, and good quality.
OUTPUT: positive

INPUT: Meh. Not as stylish as I would have thought and not very sturdy looking. 10/10 do regret.
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task.


INPUT: I was totally looking forward to using this because I tried the original solution and it was great but it burned my skin because I have sensitive skin but this one Burns and makes my make up look like crap I wouldn’t recommend it at all don’t waste your money
OUTPUT: negative

INPUT: Wore it when I went to the bar a couple times and the silver coating started to rub off but for the price I cannot complain. My biggest issue I have with it is it flipping around. Got a lot of compliments though.
OUTPUT: neutral

INPUT: Its good for the loose skin postpartum. I'm gonna use it for another waist trainer. Not tight enough.
OUTPUT: neutral

INPUT: I've been using this product with my laundry for a while now and I like it, but I had to return it because it wasn't packaged right and everything was damaged.
OUTPUT: negative

INPUT: Great idea! My nose is always cold and I can't fall asleep when it is cold, but for some reason this isn't keeping my nose warm.
OUTPUT: neutral

INPUT: It didn’t work at all. All the wax got stuck at the top and would never flow.
OUTPUT: negative

INPUT: Love this coverup! It’s super thin and very boho!! Always getting compliments on it!
OUTPUT: positive

INPUT: This is THE BEST mascara I have found. I live in south Florida and this stays on through humidity, rain, everything and NO clumping or smudging. It's buildable and really easy to remove. LOVE IT!
OUTPUT: positive

INPUT: Took a bottle to Prague with me but it just did not seem to do much.
OUTPUT: negative

INPUT: I have been searching for a deodorant that works and is natural. This one works great! It smells so nice and lasts all day
OUTPUT: positive

INPUT: I was amazed how good it works. That being said if you forget to put it on you will sweat like you did before. Would recommend to everyone.
OUTPUT:


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task.


INPUT: these were ok, but to big for the craft I needed them for. Maybe find something to use them on.
OUTPUT: neutral

INPUT: Huge disappointment box was all messed up and toy was broken
OUTPUT: negative

INPUT: They were supposed to be “universal” but did not cover the whole seat of a Dodge Ram 97
OUTPUT: negative

INPUT: Just what I expected! Very nice!
OUTPUT: positive

INPUT: The width and the depth were opposite of what it said, so they did not fit my cabinet.
OUTPUT: negative

INPUT: I bought these for a replacement for the original band that broke. Fits perfectly with no issues.
OUTPUT: positive

INPUT: These sunglasses are GREAT quality, and super stylish. I didn't think I'd love any sunnies off of Amazon, but this was the first pair I took a chance on and I love them! Definitely a great buy!
OUTPUT: positive

INPUT: They’re cute and work well for my kids. Price is definitely great for kids sheets.
OUTPUT: positive

INPUT: Perfect, came with everything needed. God quality and fit perfectly. Much less then original brand.
OUTPUT: positive

INPUT: When i opened the package 2 of them were broken. Very disappointing
OUTPUT: negative

INPUT: They were exactly what I was looking for.
OUTPUT:


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task.


INPUT: Just as advertised. Quick shipping.
OUTPUT: positive

INPUT: Great ideas in one device. One of those devices you pray you’ll never need, but I’m pretty sure are up for the task.
OUTPUT: positive

INPUT: My son Loves it for his 6 years old birthday! The package including everything you need. Highly recommend
OUTPUT: positive

INPUT: I don't like anything about it and I don't like that it is not able to be returned. JUNK!
OUTPUT: negative

INPUT: spacious , love it and get many compliments
OUTPUT: positive

INPUT: Cheap, don’t work. Very dim. Not worth the money.
OUTPUT: negative

INPUT: Nice color but very Small
OUTPUT: neutral

INPUT: Perfect, came with everything needed. God quality and fit perfectly. Much less then original brand.
OUTPUT: positive

INPUT: I bought the surprise shirt for grandparents, but was sent one for an aunt. I was planning on surprising them with this shirt tomorrow in a cute way, but now I have to postpone the get together until I receive the correct item sent hopefully right this time.
OUTPUT: negative

INPUT: Just what I expected! Very nice!
OUTPUT: positive

INPUT: Great,just what I want
OUTPUT:


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task.


INPUT: The dress fits perfect! It’s a tad too long but not enough to bother with the hassle of getting it hemmed. The material is extremely comfortable and I love the pockets! I WILL be ordering a couple more in different colors.
OUTPUT: positive

INPUT: Easy to install, fits perfectly, and does a good job.
OUTPUT: positive

INPUT: They are so comfortable that I don't even know I am wearing them.
OUTPUT: positive

INPUT: Awesome little pillow! Made it easy to transport on my motorcycle.
OUTPUT: positive

INPUT: Its good for the loose skin postpartum. I'm gonna use it for another waist trainer. Not tight enough.
OUTPUT: neutral

INPUT: spacious , love it and get many compliments
OUTPUT: positive

INPUT: As a hard shell jacket, it’s pretty good. I ordered the extra large for a skiing trip. It comes small so order a size bigger then normal. I can not use the fleece liner because it is too small. The hard shell is not water proof. I live in the Pacific Northwest and this is not enough to keep you dry. I really like the look of this jacket too.
OUTPUT: neutral

INPUT: Did not fit very well
OUTPUT: negative

INPUT: Terrific fabric and fit through belly, hips and thighs, but apparently these should be worn with 3" heels, which is ridiculous for exercise/loungewear. (Yes I'm being sarcastic.) Seriously: these were at least 4" too long to be comfortable (let alone safe to walk in). Back they go, and I won't try again.
OUTPUT: neutral

INPUT: I like this swim suit but it fits really small. I am a size 14 and per reviews that's what I ordered. It runs really small. Also a lot of mesh in the back and on the sides of this suit. Don't like that. its going back....sad
OUTPUT: negative

INPUT: Great fit... very warm.. very comfortable
OUTPUT:


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task.


INPUT: My cousin has one for his kid, my daughter loves it. I got one for my back yard,but not easy to find a good spot to hang it. After i cut some trees, now its prefect. Having lots of fun with my daughter. Nice swing, easy to install.
OUTPUT: positive

INPUT: Good quality of figurine features
OUTPUT: positive

INPUT: As a hard shell jacket, it’s pretty good. I ordered the extra large for a skiing trip. It comes small so order a size bigger then normal. I can not use the fleece liner because it is too small. The hard shell is not water proof. I live in the Pacific Northwest and this is not enough to keep you dry. I really like the look of this jacket too.
OUTPUT: neutral

INPUT: I bought the surprise shirt for grandparents, but was sent one for an aunt. I was planning on surprising them with this shirt tomorrow in a cute way, but now I have to postpone the get together until I receive the correct item sent hopefully right this time.
OUTPUT: negative

INPUT: These sunglasses are GREAT quality, and super stylish. I didn't think I'd love any sunnies off of Amazon, but this was the first pair I took a chance on and I love them! Definitely a great buy!
OUTPUT: positive

INPUT: The child hat is ridiculously small. It was not even close to the right size for my 3 year old son. I checked the size, and it wouldn't have even fit him as a newborn. I liked the adult hat but it is not sold separately. The seller was rude and unhelpful when I contacted them directly through Amazon. The faux fur pom was either already torn or tore when I was trying on the hat. See the attached photograph. The pom came aprt, exposing the inner fluff.
OUTPUT: negative

INPUT: The toy is ok but it came in what they call "standard packaging" and that amounted to a plain brown cardboard box, NOT the colorful box in the photo. Can't give this as a gift in this cardboard packaging.
OUTPUT: neutral

INPUT: We bring the kid to Cape Cod this long weekend. The shelter is very helpful when we stay on the beach. Kid feel comfortable when she was in the shelter. It was cool inside of shelter especially if you put some water on the top of the shelter. It is also very easy to carry and set up. It is a good product with high quality.
OUTPUT: positive

INPUT: Seriously the fluffiest towels! The color is beautiful, exactly as pictured, and they are bigger than I expected. Plus, I spent the same amount of money for these that I would have on the "premium" (non-organic) towels from Wal-Mart. You can't go wrong.
OUTPUT: positive

INPUT: These are awesome! I just used them on my 12 ft Christmas tree so I could get it out the door. So easy to use that I’m going to buy another pair.
OUTPUT: positive

INPUT: The umbrella itself is great but buyer beware they send you a random umbrella and not the design you pick. It's a good thing my daughter likes all the Disney princesses or I would have had an upset 3 year old. I picked a design that showed 4 different princesses on it and received one that had only snow white and the 7 dwarfs on it. When I went to the site I read the fine print that they pick the umbrellas at random so no need to return.
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task.


INPUT: After I gave it to my pet bunny, she didn't like it as much.
OUTPUT: neutral

INPUT: This is definitely the shampoo the Stars use. My hair is never smelt better or felt softer in my entire life. I felt like a model walking down the street with my hair bouncing and blowing in the wind. I highly recommend this product. I did not use it for a drug test, I just wanted to see if it would clean out the impurities from my hair which it seems to have done.
OUTPUT: positive

INPUT: The picture shows the fuel canister with the mosquito repeller attached so I assumed it would be included. However, when I opened the package I discovered there was no fuel. Since it is not included, the picture should be removed. If someone orders this and expects to use it immediately, like I did, they will be very disappointed.
OUTPUT: negative

INPUT: Well, I ordered the 100 pack and what came in the mail was silver eyeshadow....Yep, silver women’s eyeshadow...no blades....how does that happen???
OUTPUT: negative

INPUT: The item ordered came exactly as advertised. I highly recommend this vendor and would order from them again.
OUTPUT: positive

INPUT: The process was pretty simple and straightforward, and I ended up using the entire mixture all over my hair. After leaving it in for at least 30 minutes and following all the steps, it still didn't cover all my grays. It did mask a good portion of them to blend more with my hair, but I wish it would've been complete coverage.
OUTPUT: neutral

INPUT: I hate to give this product one star when it probably deserves 5. My dog has chronic itchy skin and I had high hopes that this product would be the answer to his skin issues. I'll never know because he won't eat them. At first I gave them to him as a treat. He sniffed it and walked away. I crumbled just one up in his food but he was onto me and wouldn't touch it. So, sadly, the search continues.
OUTPUT: negative

INPUT: Worst fucking item I ever bought on Amazon I had a headache for 2 days on this bullshit I thought I had to go to the emergency room please don't but real costumer
OUTPUT: negative

INPUT: I love the curls but the hair does shed a little; it has been a month; curls still looks good; I use mousse or leave in conditioner to keep curls looking shiny; hair does tangle
OUTPUT: neutral

INPUT: Cool bag with graphics, but smelled like mildew.
OUTPUT: neutral

INPUT: I got my package today and it was used it came with dog hair all over it! I am really mad because my house is allergic to dogs!
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task.


INPUT: I did a lot of thinking as I read this book. I felt as though I could really picture what the main character was going through. The author did a great job describing the situations and events. I really rooted for the main character and felt her struggles. It seems as though she had to over come a lot to once again over come a lot. She had a group of interesting characters both supporting her and also ones who were against her. Not a plot to be predicted. I highly recommend this book. It grabbed my attention from the first page and had me thinking about it long after. I look forward to reading the author's next book.
OUTPUT: positive

INPUT: God loved them they were hot together like he said his half of a whole his Ying to his yang I loved everything about this book I hope X and Raven stay together and get only stronger together one isn’t the other without the other they need each other loved this book it is dark but smoking
OUTPUT: positive

INPUT: It’s ok, buttons are kind of confusing and after 4 months the power button is stuck and we can no longer turn it on or off. Sorta disappointed in this purchase.
OUTPUT: neutral

INPUT: Expected more out of the movie. Reviews indicated that this would be a cast of thousands, but ended up being maybe a couple of hundred people stranded on the beach. Over all ok, but expected more actors which history showed that over 100,000 stranded on the beach.
OUTPUT: neutral

INPUT: 3 1/2 Stars Remedy is a brothers best friend romance as well as a second chance romance mixed into one. It's a unique story, and the hero (Grady) has to do everything to get Collins back and prove he's the guy for her. Three years ago, Grady and Collins had an amazing night together. Collins thought she was finally getting everything she dreamed of, her brothers best friend... but when she woke up alone the next morning, and never heard from her, things definitely changed. Now Grady is back, and he's not leaving, and he's doing everything in his power to prove to her why he left, and that he's not giving her up this time around. While I loved the premise of this story, and at times Grady, he really got on my nerves. I totally understand his reasoning for leaving that night, but to not even send a letter to Collins explaining himself? To leave her wondering and hurt for all those years, and then expect her to welcome him back with open arms? Was he delusional?! Collins was right to be upset, angry, hurt, etc. She was right to put up a fight with him when he wanted her back and to move forward. I admire her will power, because Grady was persistent. I loved Collins in this book, she was strong, and she guarded her heart, and I admired her for that. Sure she loved Grady, but she was scared, and hesitant to let him back in her life, who wouldn't be after what he did to her? Her character was definitely my favorite out of the two. She definitely let things go at the pace she wanted, and when she was ready to listen, she listened. There is a lot of angst in this book, and I did enjoy watching these two reconnect when Collins started to forgive Grady, I just wish Grady would have not come off as so whiney and would have been a little more understanding. He kept saying he understood, but at times he was a little too pushy to me, and then he was sweet towards the end. I ended up loving him just as much as Collins, but in the beginning of the book, I had a hard time reading his points of view because I couldn't connect with his character. The first part of this book, was not my favorite, but he second part? I adored, hence my rating. If you like second chance, and brothers best friend romances, you may really enjoy this book, I just had a hard time with Grady at first and how he handled some of the things he did.
OUTPUT: neutral

INPUT: She loved very much as a birthday gift and also said it will come in handy for all kinds of outings.
OUTPUT: positive

INPUT: Not a credible or tasteful twist at the end of the book
OUTPUT: neutral

INPUT: Excellent read!! I absolutely loved the book!! I’ve adopted 4 Siamese cats from Siri over the years and everyone of them were absolute loves. Once you start to read this book, it’s hard to put down. Funny, witty and very entertaining!! Siri has gone above and beyond in her efforts to rescue cats (mainly Siamese)!!
OUTPUT: positive

INPUT: The book is fabulous, but not in the condition i was lead to believe it was in. I thought i was buying a good used copy, what i got is torn cover and some kind of humidity damaged book. I give 5 stars for the book, 2 stars for the condition.
OUTPUT: neutral

INPUT: This novel took my heart. If you’ve read Eleanor and Park you know your in for a whirlwind. It was everything I expected.
OUTPUT: positive

INPUT: This book was okay I guess. I was not really fond of Jaime's views on things but oh well. Quinn was a wise cracker, but otherwise okay. Jaime should have set her parents down when she was younger and told them both they were messing up her life, maybe she wouldn't have been so messed up. Otherwise it was okay book.
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task.


INPUT: My husband is in law enforcement and loves this bag.
OUTPUT: positive

INPUT: It's nearly impossible to find a 5 gallon bucket that this seat fits onto. I'd recommend buying the 2 together so that you might get a set that fits.
OUTPUT: negative

INPUT: Installation instructions are vague and pins are cheap. It gets the job done but I dont feel it will last very long. Cheaply made. Update: lasted 3 months and I didn't even put the max weight on a single line.
OUTPUT: negative

INPUT: I hate to give this product one star when it probably deserves 5. My dog has chronic itchy skin and I had high hopes that this product would be the answer to his skin issues. I'll never know because he won't eat them. At first I gave them to him as a treat. He sniffed it and walked away. I crumbled just one up in his food but he was onto me and wouldn't touch it. So, sadly, the search continues.
OUTPUT: negative

INPUT: Picture was incredibly misleading. Shown as a large roll and figured the size would work for my project, then I received the size of a piece of paper.
OUTPUT: negative

INPUT: Okay pool cue. However you can buy one 4 oz. lighter (21 oz,) for 1/3 the price of this 25 oz. cue. Not worth the extra money for the weight difference.
OUTPUT: neutral

INPUT: Item description says "pack of 3" but I only received 1
OUTPUT: negative

INPUT: I received this in the mail and it was MISSING. The bag is ripped open and there is no bracelet to be found....
OUTPUT: negative

INPUT: I ordered green but was sent grey. Bought it to secure outside plants/shrubs to wooden poles. Wrong color but I'll make it work.
OUTPUT: neutral

INPUT: Seriously the fluffiest towels! The color is beautiful, exactly as pictured, and they are bigger than I expected. Plus, I spent the same amount of money for these that I would have on the "premium" (non-organic) towels from Wal-Mart. You can't go wrong.
OUTPUT: positive

INPUT: The description said 10 pound bag. There is no way this is 10 pounds. I get the 5 pound bags at the feed store and the 5 pound bag is bigger and heavier. I ordered two bags and I can lift both bags with one hand without trying.
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task.


INPUT: These little lights are awesome. They put off a nice amount of light. And you can put them ANYWHERE! I have put one in the pantry. Another in my linen closet. Another one right next to my bed for when I get up in the middle of the night. Have only had them about a month but so far so good!
OUTPUT: positive

INPUT: great throw for high end sofa, and works with any style even contemporary sleek sectionals
OUTPUT: positive

INPUT: This is a great little portable table. Easy to build and tuck away in a corner. One big flaw is that the tabletop comes off easily. Adjusting the height becomes a 2 hand job or else the top may come off when pressing the lever.
OUTPUT: neutral

INPUT: Love the humor and the stories. Very entertaining. BOL!!!
OUTPUT: positive

INPUT: Does not give out that much light
OUTPUT: neutral

INPUT: The light was easily assembled.... I had it up in about 15 minutes. Powered it up and I was in business. It has been running about a week or so and no problems to date.
OUTPUT: positive

INPUT: Works very well. Easy to set alarms, and time. The snooze/backlight function is pretty neat too. The dim back light is also nice so that you can actually read the time in the dark.
OUTPUT: positive

INPUT: It will do the job of holding shoes. It's not glamorous, but it holds shoes and stands in a closet. You will need help with the shelving assembly as it is a two person job.
OUTPUT: neutral

INPUT: Please do not buy this! I was so excited and I got one for me and my co worker because we freeze in our offices. It's so small and barely even heats up. One of them didn't even work at all!
OUTPUT: negative

INPUT: So pretty...but the first time I unplugged it, the glass top came off of the base. There’s a plastic ring attached to the bottom of the glass part. It has notches - supposedly to allow you to twist it onto the nightlight base. You’d need to be able to do that in order to replace the bulb. I’ll try gorilla glue or something to see if the ring can be securely affixed to the glass. Surprisingly poor design for something so beautiful.
OUTPUT: negative

INPUT: Love the light. Fits with out furniture. Great overall but the floor switch isn't convenient to possible add a switch on the light itself. We ended up running the floor switch up between the couch sections so we can operate the light without having to find the switch on the floor
OUTPUT:


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task.


INPUT: When i opened the package 2 of them were broken. Very disappointing
OUTPUT: negative

INPUT: I received this in the mail and it was MISSING. The bag is ripped open and there is no bracelet to be found....
OUTPUT: negative

INPUT: I hate to give this product one star when it probably deserves 5. My dog has chronic itchy skin and I had high hopes that this product would be the answer to his skin issues. I'll never know because he won't eat them. At first I gave them to him as a treat. He sniffed it and walked away. I crumbled just one up in his food but he was onto me and wouldn't touch it. So, sadly, the search continues.
OUTPUT: negative

INPUT: Just doesn't get hot enough for my liking. Its stashed away in the drawer.
OUTPUT: neutral

INPUT: I ordered Copic Bold Primaries and got Copic Ciao Rainbow instead. Amazon gave me a full refund but still annoying to have to reorder and hopefully get the right item.
OUTPUT: negative

INPUT: Sorry but these are a waist of money. Washed my handy one time and they come right off. I even glued them on because they were so cheep and didn’t stay when you put the ring on .
OUTPUT: negative

INPUT: It will not turn on. It was a gift and the person called and said it does not work. It won't turn on. I would like to send back and get either another or my money back.
OUTPUT: negative

INPUT: Bought this Feb 2019. Its already wore down and in need of replacement. I dont recommend one purchase this unless its jus for looks.
OUTPUT: negative

INPUT: The one star is for UPS. I wish I had been home when delivery was made because I would have refused it. I have initiated return procedures, so hopefully when seller gets this mess back I will receive my $60 in a timely manner.
OUTPUT: negative

INPUT: Cute bag zipper broke month after I bought it.
OUTPUT: neutral

INPUT: These picks are super cute but 1/2 of them were broken. When I tried to replace the item, there was no option for it.
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task.


INPUT: They are huge!! Want too big for me.
OUTPUT: neutral

INPUT: my expectations were low for a cheap scale. they were not met, scale doesnt work. popped the cover off the back to put a battery in and the wires were cut and damaged. wouldn't even turn on. sending it back. product is flimsy and cheap, spend 20 extra bucks on a better brand or scale.
OUTPUT: negative

INPUT: Too stiff, barely zips, and is very bulky
OUTPUT: negative

INPUT: I bought these for a Nerf battle birthday party for my son. We put buckets of these bullets out on the battlefield and they worked great! Highly recommend!
OUTPUT: positive

INPUT: Upsetting...these only work if you have a thin phone and or no phone case at all. I'm not going to take my phone's case (which isn't thick) off Everytime I want to use the stand. Wast of money. Don't buy if you use a phone case to protect your phone it's too thin.
OUTPUT: negative

INPUT: These are awesome! I just used them on my 12 ft Christmas tree so I could get it out the door. So easy to use that I’m going to buy another pair.
OUTPUT: positive

INPUT: They’re cute and work well for my kids. Price is definitely great for kids sheets.
OUTPUT: positive

INPUT: The quality is meh!! (treads are hanging out from places), however the colors are not the same (as seen on the display) :(
OUTPUT: neutral

INPUT: I love how the waist doesn't have an elastic band in them. I have a bad back and tight waist bands always make my back feel worse.These feel decent...although If they could make them just one size larger..and not just offer plus size....that would be even better for my back.
OUTPUT: positive

INPUT: seems okay, weaker than i thought it be be and too tight
OUTPUT: neutral

INPUT: I was disappointed with these. I thought they would be heavier.
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task.


INPUT: Works very well. Easy to set alarms, and time. The snooze/backlight function is pretty neat too. The dim back light is also nice so that you can actually read the time in the dark.
OUTPUT: positive

INPUT: I did not receive the Fitbit Charge HR that I ordered, I got a Fitbit FLEX ,,, and I am very upset and do NOT like not receiving what I ordered
OUTPUT: negative

INPUT: Its good for the loose skin postpartum. I'm gonna use it for another waist trainer. Not tight enough.
OUTPUT: neutral

INPUT: Very good price for a nice quality bracelet. My sister loved her birthday present! She wears it everyday.
OUTPUT: positive

INPUT: Mediocre all around. Durability is "meh". Find a good (modular) set that will last you 10x the durability. This isn't the cheap Chinese headphones you have been looking for. Look for IEM
OUTPUT: neutral

INPUT: I take Carnitine for recovery and endurance, this product does the job, and does it well.
OUTPUT: positive

INPUT: This is my third G-shock as I have been addicted to this watch and can never probably use a different brand. Not only this is a beautiful watch, it is also water resistant and is very durable. Good purchase overall and I love the dark blue color. I only miss the night light, which this one does not have
OUTPUT: positive

INPUT: my expectations were low for a cheap scale. they were not met, scale doesnt work. popped the cover off the back to put a battery in and the wires were cut and damaged. wouldn't even turn on. sending it back. product is flimsy and cheap, spend 20 extra bucks on a better brand or scale.
OUTPUT: negative

INPUT: For the money, it's a good buy... but the fingerprint ID just doesn't work very good. After several attempts, it would not allow me to register my fingerprint. So... I just use the key to lock and unlock the safe, and that's not a problem. If you want something with the ability to open with your fingerprint, you'll need to spend a bit more, but if fingerprint id isn't something you absolutely need to have, then this safe is for you.
OUTPUT: neutral

INPUT: Looking at orher reviews the tail was supposed to be obscenely long -- it was actually the perfect size but im not sure if thats intentional. The waist strap fits perfectly-- but again, need to list that my waist is fairly wide and it sat on my hips. Im unsure about the life of the strap. To the actual quality the fur seems of a fair (not great but not terrible quality but the tail isnt fully stuffed.) Apparently theres supposed to be a wire to pose the tail. There is none in mine, which is fine cause again, mine came up shorter than others. Im only rating 3 stars because of some unintentional good things.
OUTPUT: neutral

INPUT: For a fitness tracker it is adequate. Heart rate monitor works ok. I feel it has missed steps in my everyday walking but if you start the monitor for fitness then it does well. If you hold anything in the arm with the tracker and cant move your arm it counts nothing. Battery life on the tracker is amazing. It lasts 7 to 8 days on a charge. It charges very fast. The wrist band is not very comfortable. Do to the way it charges i am not sure you can switch bands. I have not looked into this.
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task.


INPUT: Looks good. Clasp some times does not lock completely and the watch falls off. One time it fell off and the back cover popped off. I do get lots of compliments of color combination.
OUTPUT: neutral

INPUT: The clear backing lacks the stickiness to keep the letters adhered until you’re finished weeding! It’s so frustrating to have to keep up with a bunch of letters and pieces that have curled and fell off the paper! It requires additional work to make sure that they’re aligned properly and being applied on the right side, which was an issue for me several times! I purchased 3 packs of this and while it’s okay for larger designs, it sucks for lettering or anything intricate 😏 Possibly it’s old and dried out, but in any event, I will not be buying from this vendor again and suggest that you don’t either!
OUTPUT: negative

INPUT: I like these storage bins overall. The color of the lining inside wasn’t expected, it shows a light brown color in the photo but it’s pretty dark. I would have preferred the lining inside to match the outside, tan or grey. Other than that they are cute and look as pictured.
OUTPUT: neutral

INPUT: I ordered Copic Bold Primaries and got Copic Ciao Rainbow instead. Amazon gave me a full refund but still annoying to have to reorder and hopefully get the right item.
OUTPUT: negative

INPUT: The glitter gel flows, its super cute.
OUTPUT: positive

INPUT: Solid value for the money. I’ve yet to have a problem with the first pair I bought. Buying a second for my second box.
OUTPUT: positive

INPUT: Terrible product, wouldn't stick tok edges of the phone
OUTPUT: negative

INPUT: This is literally just a cardstock. Not a canvas and needs to be framed to display. Not a good price considering all it is.
OUTPUT: neutral

INPUT: Good Quality pendant and necklace, but gems are a little lacking in color.
OUTPUT: neutral

INPUT: Lots of lines, not easy to color. Definitely not for kids or elderly .
OUTPUT: neutral

INPUT: I liked the color but the product don't stay latched or closed after putting any cards in the slots
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task.


INPUT: Clasps broke off after having for only a few months 😢
OUTPUT: negative

INPUT: Much smaller than what I expected. The quality was not that great the paper in the lower end of the cup was ruined after first wash with the kids.
OUTPUT: neutral

INPUT: Just received it and so far so good. No issues, did a great job. For a family on a budget trying to waste as least food as possible, it is a great investment and it was very affordable too.
OUTPUT: positive

INPUT: 2 out of four came busted
OUTPUT: neutral

INPUT: The first guard may serve more as a learning curve. I do kinda prefer to use the ones that come with molding trays. This didn't help until about 3-4 nights of use. Even then, sometimes it feels like my upper gum underneath, is strange feeling the next morning
OUTPUT: neutral

INPUT: Glass is extremely thin. Mine broke into a million shards. Very dangerous!
OUTPUT: neutral

INPUT: My kids love their bags! Carry them everywhere and are very durable.
OUTPUT: positive

INPUT: My dog loves this toy, I haven't seen hear more thrill with any other toy, for the first three days, which is how long the squeaker lasted. She is not a heavy chewer, and in one of her "victory walks" after retrieving the ball, the squeaker was already gone. Apart from that it is my best investment
OUTPUT: neutral

INPUT: Had three weeks and corner grommet ripped out
OUTPUT: negative

INPUT: The teapot came with many visible scratches on it. After repeated efforts to contact the seller, they have simply ignored requests to replace or refund money.
OUTPUT: negative

INPUT: Had for a week and my kid has already ripped 3 of the 4 while on the cup. So disappointed.
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task.


INPUT: Love this coverup! It’s super thin and very boho!! Always getting compliments on it!
OUTPUT: positive

INPUT: Warped. Does not sit flat on desk.
OUTPUT: negative

INPUT: Cheap material. Broke after a couple month of usage and I emailed the company about it and never got a response. There are much better phone cases out there so don't waste your time with this one.
OUTPUT: negative

INPUT: Much smaller than what I expected. The quality was not that great the paper in the lower end of the cup was ruined after first wash with the kids.
OUTPUT: neutral

INPUT: Thin curtains that are only good for an accent. 56" wide is if you can stretch to maximum. Minimal light and noise reduction. NOT WORTH THE PRICE!!!
OUTPUT: negative

INPUT: Glass is extremely thin. Mine broke into a million shards. Very dangerous!
OUTPUT: neutral

INPUT: BEST NO SHOW SOCK EVER! Period, soft, NEVER slips, and is a slightly thick sock. Not to thick though, perfect for running shoes too!
OUTPUT: positive

INPUT: Very strong cheap pleather smell that took a few days to air out. One of the straps clips onto the zipper, so be careful of the zipper slowly coming undone as you walk.
OUTPUT: neutral

INPUT: I love how the waist doesn't have an elastic band in them. I have a bad back and tight waist bands always make my back feel worse.These feel decent...although If they could make them just one size larger..and not just offer plus size....that would be even better for my back.
OUTPUT: positive

INPUT: Arrived today and a bit disappointed. Great color and nice backing, BUT not thick and plush for the high price. Except fot the backing, you can find the same thickness at your local Walmart for a lot less money.
OUTPUT: neutral

INPUT: Very thin, see-through material. The front is much longer than the back.
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task.


INPUT: This door hanger is cute and all but its a bit small. My main complain is that, i cannot close my door because the bar latched to the door isnt flat enough.. Worst nightmare.
OUTPUT: negative

INPUT: Product does not stick well came loose and less than 24 hours after installing did everything correctly but just didn’t work
OUTPUT: negative

INPUT: The glitter gel flows, its super cute.
OUTPUT: positive

INPUT: I never should've ordered this for my front porch steps. It had NO Adhesion and was a BIG disappointment.
OUTPUT: negative

INPUT: I didn’t like that it was made out of plastic and that you had to put it together yourself.
OUTPUT: negative

INPUT: Great hold and strength on the magnet. Can be easily maneuvered to fit your needs for holding curtains back.
OUTPUT: positive

INPUT: The item ordered came exactly as advertised. I highly recommend this vendor and would order from them again.
OUTPUT: positive

INPUT: It’s a nice looking piece of furniture when assembled, but assembly was difficult. Some of the letter markings were incorrectly marked so I had to try and figure out on my own The screws they supplied to attach the floor and side panels all cracked. I had to go out and purchase corner brackets to make sure they stayed together. Also the glass panel doors are out of line and don’t match evenly. This alignment prevents one of the doors from staying closed as the magnet to keep the door closed is out of line. Still haven’t figured out to align them.
OUTPUT: neutral

INPUT: Great product! No complaints!
OUTPUT: positive

INPUT: Ordered this for a Santa present and Christmas Eve noticed it came broken!
OUTPUT: negative

INPUT: Great product! Great value! Didn’t realize it came with a self-sticking piece to hang door stop. So cool! Arrived on time, as expected, and seller even followed up to be sure I was happy.
OUTPUT:


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task.


INPUT: Had three weeks and corner grommet ripped out
OUTPUT: negative

INPUT: I have a feeling they were worn before , they came in a repackage but the stitching on the shoes as a slight pink hue to it ? Doesn’t really show up on camera. They’re still pretty new and fit a bit tight but I should have ordered a size up
OUTPUT: neutral

INPUT: It's super cute, really soft. Print is fine but mine is way too long. It's hits at the knee for everyone else but mine is like mid calf. Had to take a few inches off. I'm 5'4"
OUTPUT: neutral

INPUT: DISAPPOINTED! Owl arrived missing stone for the right eye. Supposed to be a gift.
OUTPUT: neutral

INPUT: They sent HyClean which is NOT for the US market therefore this is deceptive marketing
OUTPUT: negative

INPUT: Had to use washers even though the bolts were stock like beveled in appearance. 3 pulled through the skid, and there isn't any rust issues. I called daystar because i spent the money so i wouldn't have to use washers. They told me to use washers.
OUTPUT: neutral

INPUT: Half of the pads were dried out. The others worked great!
OUTPUT: neutral

INPUT: This was rubbed on the same foot with arthritis and ankle pain. Took it a few weeks to help some
OUTPUT: neutral

INPUT: These monitors arrived fairly quickly and they're a great deal but the packages were in ridiculous condition. Big boot footprints were on two boxes, a big hole in another and all of them were crushed pretty good. I haven't opened and setup the monitors yet but I'll be surprised if some aren't damaged. Probably need a new shipping company or contact them about the shape some of those are in.
OUTPUT: neutral

INPUT: When we received the scoreboard it was broken. We called for support and left our number for a call back. 3 days later no call. Terrible service!
OUTPUT: negative

INPUT: Didnt get our bones at all
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task.


INPUT: BEST NO SHOW SOCK EVER! Period, soft, NEVER slips, and is a slightly thick sock. Not to thick though, perfect for running shoes too!
OUTPUT: positive

INPUT: I ordered two pairs of these shorts and was sent completely wrong sizes. I have both pairs same item ordered and the shorts are completely different sizes but are labeled the same size. One pair is 4 inches longer than the other.
OUTPUT: negative

INPUT: Solid value for the money. I’ve yet to have a problem with the first pair I bought. Buying a second for my second box.
OUTPUT: positive

INPUT: The paw prints are ALREADY coming off the bottom of the band where you snap it together, I've only worn it three times. Very upset that the paw prints have started rubbing off already 😡
OUTPUT: neutral

INPUT: I have a feeling they were worn before , they came in a repackage but the stitching on the shoes as a slight pink hue to it ? Doesn’t really show up on camera. They’re still pretty new and fit a bit tight but I should have ordered a size up
OUTPUT: neutral

INPUT: These are the third time we have purchased these for my amputee mother. She loves the feel, support and ease of wearing these socks. These are the only socks we have found that work perfectly for her
OUTPUT: positive

INPUT: The Marino Avenue brand Men’s low cut socks are of good quality. I put them through one cycle of hot water washing and drying and they stood up to the challenge. What I like best is the color choices on the socks. The green, yellow, red, and black one is my favorite combo.
OUTPUT: positive

INPUT: I bought the tie-dyed version and it was SO comfortable. Stretchy breathable material. I decided to buy the black version for work. Bad decision! The material is completely different. It doesn’t stretch, it’s not breathable and it is very small and uncomfortable! It even seems it’s stitched differently so that it coveres 50% less of my head. So disappointing!!
OUTPUT: negative

INPUT: They’re cute and work well for my kids. Price is definitely great for kids sheets.
OUTPUT: positive

INPUT: They are huge!! Want too big for me.
OUTPUT: neutral

INPUT: There are terrible! One sock is shorter and tighter than the other. The colors look faded when you put them on. These suck
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task.


INPUT: Easy to install, fits perfectly, and does a good job.
OUTPUT: positive

INPUT: Installation instructions are vague and pins are cheap. It gets the job done but I dont feel it will last very long. Cheaply made. Update: lasted 3 months and I didn't even put the max weight on a single line.
OUTPUT: negative

INPUT: Very easy install. Directions provided were simple to understand. Lamp worked on first try! Thanks!
OUTPUT: positive

INPUT: Nice router no issues
OUTPUT: positive

INPUT: This product worked just as designed and was very easy to install.The setup is so simple for each load on the trailer.I would def recommend this item for anyone needing a break controller.
OUTPUT: positive

INPUT: It’s a nice looking piece of furniture when assembled, but assembly was difficult. Some of the letter markings were incorrectly marked so I had to try and figure out on my own The screws they supplied to attach the floor and side panels all cracked. I had to go out and purchase corner brackets to make sure they stayed together. Also the glass panel doors are out of line and don’t match evenly. This alignment prevents one of the doors from staying closed as the magnet to keep the door closed is out of line. Still haven’t figured out to align them.
OUTPUT: neutral

INPUT: Product does not stick well came loose and less than 24 hours after installing did everything correctly but just didn’t work
OUTPUT: negative

INPUT: My cousin has one for his kid, my daughter loves it. I got one for my back yard,but not easy to find a good spot to hang it. After i cut some trees, now its prefect. Having lots of fun with my daughter. Nice swing, easy to install.
OUTPUT: positive

INPUT: It was very easy to install on my laptop.
OUTPUT: positive

INPUT: Easy to use, quick and mostly painless!
OUTPUT: positive

INPUT: Easy to install. Looks good. Works well.
OUTPUT:


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task.


INPUT: Doesn’t even work . Did nothing for me :(
OUTPUT: negative

INPUT: These are very fragile. I have a cat who is a bit rambunctious and sometimes knocks my phone off my nightstand while it's plugged in. He managed to break all of these the first or second time he did that. I'm sure they're fine if you're very careful with them, but if whatever you're charging falls off a table or nightstand while plugged in, these are very likely to stop working quickly.
OUTPUT: negative

INPUT: They work really well for heartburn and stomach upset. But taking a couple stars off as capsules are poor quality and break. I lost over 30 in a bottle of 120 as they leaked. Powder ended up bottom of bottle.
OUTPUT: neutral

INPUT: they stopped working
OUTPUT: neutral

INPUT: Absolutely terrible. I ordered these expecting a quality product for 10 dollars. They were shipped in an envelope inside of another envelope all just banging against each other while on their way to me from the seller. 3 of them are broken internally, they make a rattle noise as the ones that work do not. I will be requesting a refund for these and filing a complaint with Amazon. Don't purchase unless you like to buy broken/damaged goods. Completely worthless.
OUTPUT: negative

INPUT: Love them. have to turn off when not in use tho
OUTPUT: positive

INPUT: it does not work, only one hearing aid works at a time
OUTPUT: negative

INPUT: To me this product just does not work. Decided to give this a try based on the great reviews this product has. I used it for about two weeks and just did not feel any extra energy nor anything else. Obviously the seller has a good system, maybe even a little scam going on, give me a 5 star review and we will send you a free one. Not saying this will happen to everyone, but these were my results. Happy shopping!
OUTPUT: negative

INPUT: Stopped working after a couple of weeks. You get what you pay for.
OUTPUT: negative

INPUT: It will not turn on. It was a gift and the person called and said it does not work. It won't turn on. I would like to send back and get either another or my money back.
OUTPUT: negative

INPUT: They don’t even work.
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task.


INPUT: So far my daughter loves it. She uses it for school backpack. As far as durable, we just got it, so we will have to see.
OUTPUT: positive

INPUT: Had three weeks and corner grommet ripped out
OUTPUT: negative

INPUT: I dislike this product it didnt hold water came smash in a bag and i just thow it in the trash
OUTPUT: negative

INPUT: This sweatshirt changed my life. I wore this sweatshirt almost every single day from January 25th, 2017 up until last week or so when the hood fell off after almost a year of abuse. This sweatshirt has made me realize that the small things in life are the things that matter. Thank you Hanes, keep doing what you do. Love, Justin
OUTPUT: positive

INPUT: Received this file box last night, and begin to put my documents in as soon as I received it. It is very good for me as my husband and I get a lot paperwork to save. The colorful tags make it easier to find what I want. The material is strong. I finally get something to help with the messy drawer! Love this product! I believe I will buy another one when this one is full!
OUTPUT: positive

INPUT: I really love this product. I love how big it is compare to others diaper changing pads. I love the extra pockets and on top of that you get a free insulated bottle bag. All of that for an amazing price.
OUTPUT: positive

INPUT: Just received it and so far so good. No issues, did a great job. For a family on a budget trying to waste as least food as possible, it is a great investment and it was very affordable too.
OUTPUT: positive

INPUT: Cute bag zipper broke month after I bought it.
OUTPUT: neutral

INPUT: As a hard shell jacket, it’s pretty good. I ordered the extra large for a skiing trip. It comes small so order a size bigger then normal. I can not use the fleece liner because it is too small. The hard shell is not water proof. I live in the Pacific Northwest and this is not enough to keep you dry. I really like the look of this jacket too.
OUTPUT: neutral

INPUT: Quality made from a family business. Sometimes a challenge to move around due to the chew toys hanging off but gives our puppy something to knaw on throughout the night. 5 month update: Our dog doesn't destroy many toys but since he truly loves this one he has ripped off the head, the tail rope, torn a few corner rope rings, put teeth marks in the internal foam and now ripped the underside of the cover. I'm giving this 4 stars still due to the simple fact that he LOVES this thing. Purchased right before they sold out, maybe the new model is more durable. Update with new model: The newer model has some areas where design has decreased in quality. The "tail" rope is not attached nearly as well as the first one. However, so far nothing has been ripped off of it in the 3 weeks since we have received it. He still loves it though!
OUTPUT: neutral

INPUT: I got this backpack Monday night and I was excited about it because I had seen many great reviews for it. I used it for the first time the next day to hold a fair amount of things, and while I was out I noticed this huge rip right down the middle that wasn't there before. I would have been more understanding if I had it for a few months but this was the first time I had put anything into it. I've never been more disappointed in a product before as I have with this backpack. Be very careful when considering purchasing this product.
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task.


INPUT: Chair is really good for price! I have 6 children so I was looking for something not to expensive but good, this chair is really good comparing with others and good prices
OUTPUT: positive

INPUT: Beautifully crafted. No problem removing cake from pan and the cakes look very nice
OUTPUT: positive

INPUT: Arrived today and a bit disappointed. Great color and nice backing, BUT not thick and plush for the high price. Except fot the backing, you can find the same thickness at your local Walmart for a lot less money.
OUTPUT: neutral

INPUT: This is a great little portable table. Easy to build and tuck away in a corner. One big flaw is that the tabletop comes off easily. Adjusting the height becomes a 2 hand job or else the top may come off when pressing the lever.
OUTPUT: neutral

INPUT: Just received it and so far so good. No issues, did a great job. For a family on a budget trying to waste as least food as possible, it is a great investment and it was very affordable too.
OUTPUT: positive

INPUT: Comfortable and worth the purchase
OUTPUT: positive

INPUT: This is the second one of these that I have purchased. It is an excellent platform for a foam or conventional mattress. It is totally sturdy, and looks nice. I highly recommend it. There are many frames out there that will cost you much more, but this does the trick.
OUTPUT: positive

INPUT: Granddaughter really likes it for her volleyball. well constructed and nice way to carry ball.
OUTPUT: positive

INPUT: I really love this product. I love how big it is compare to others diaper changing pads. I love the extra pockets and on top of that you get a free insulated bottle bag. All of that for an amazing price.
OUTPUT: positive

INPUT: Absolutely love the quality and look of the dress! Very happy!
OUTPUT: positive

INPUT: A great purchase. I was looking at pottery barn chairs but was so put off by their price that I looked elsewhere. This chair is very comfortable, looks fabulous, and great for nursing my baby.
OUTPUT:


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task.


INPUT: Awesome product. Have used on my hands several times since I received the product. My cuticles have softened and my hands are no longer dry.
OUTPUT: positive

INPUT: These make it really easy to use your small keyboard on your phone. Would recommend to everyone.
OUTPUT: positive

INPUT: You want an HONEST answer? I just returned from UPS where I returned the FARCE of an earring set to Amazon. It did NOT look like what I saw on Amazon. Only a baby would be able to wear the size of the earring. They were SO small. the size of a pin head I at first thought Amazon had forgotten to enclose them in the bag! I didn't bother to take them out of the bag and you can have them back. Will NEVER order another thing from your company. A disgrace. Honest enough for you? Grandma
OUTPUT: negative

INPUT: These bowls are wonderful. And the only reason I didn't give them a 5 is because I ordered RED bowls and received ORANGE bowls.
OUTPUT: neutral

INPUT: Solid value for the money. I’ve yet to have a problem with the first pair I bought. Buying a second for my second box.
OUTPUT: positive

INPUT: I can't wear these all day. Snug around the toes.
OUTPUT: neutral

INPUT: The clear backing lacks the stickiness to keep the letters adhered until you’re finished weeding! It’s so frustrating to have to keep up with a bunch of letters and pieces that have curled and fell off the paper! It requires additional work to make sure that they’re aligned properly and being applied on the right side, which was an issue for me several times! I purchased 3 packs of this and while it’s okay for larger designs, it sucks for lettering or anything intricate 😏 Possibly it’s old and dried out, but in any event, I will not be buying from this vendor again and suggest that you don’t either!
OUTPUT: negative

INPUT: Not reliable and did not chop well. Came apart with second use. Pampered Chef is my all-time favorite with Zyliss coming in second.
OUTPUT: negative

INPUT: I would love to give this product 5 star but unfortunately it just doesn’t cut due to quality. I bought them only (and only) for my toddlers snacks. And for that purpose they work great. I would probably use them in other situations as well if they were all the same. And yes I understand, if they are hand carved from one piece of wood, there could be slight difference, but that’s where product quality control comes in. I guess they just didn’t want any faulty products and decided to sell them all no matter what.
OUTPUT: neutral

INPUT: We bought it in hopes my son would stop sucking his thumb. He doesn't suck it when it's on but when it's off for eating, bathing, washing hands... he will still do it. We are now going to try the nail polish with bitter taste. This is a good idea, my son just needs something stronger to beat it.
OUTPUT: neutral

INPUT: These are good Ukulele picks, but I still perfer to use my own fingers.
OUTPUT:


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task.


INPUT: Never noticed a big difference than a normal brush.
OUTPUT: neutral

INPUT: The graphics were not centered and placed more towards the handle than what the Amazon image shows. Only the person drinking can see the graphics. I will be returning the item.
OUTPUT: negative

INPUT: Wow. I want that time back. What a huge BORE!!
OUTPUT: negative

INPUT: Quality made from a family business. Sometimes a challenge to move around due to the chew toys hanging off but gives our puppy something to knaw on throughout the night. 5 month update: Our dog doesn't destroy many toys but since he truly loves this one he has ripped off the head, the tail rope, torn a few corner rope rings, put teeth marks in the internal foam and now ripped the underside of the cover. I'm giving this 4 stars still due to the simple fact that he LOVES this thing. Purchased right before they sold out, maybe the new model is more durable. Update with new model: The newer model has some areas where design has decreased in quality. The "tail" rope is not attached nearly as well as the first one. However, so far nothing has been ripped off of it in the 3 weeks since we have received it. He still loves it though!
OUTPUT: neutral

INPUT: It had to be changed very frequently. Even with the filter we had to empty the water and refill because the water would get nasty, the filters put black specs in the water. And it stopped working after 3 months
OUTPUT: negative

INPUT: Apparently 2 Billion is not very many in the world of probiotics
OUTPUT: neutral

INPUT: It didn’t work at all. All the wax got stuck at the top and would never flow.
OUTPUT: negative

INPUT: Nothing like the photo. Boo.
OUTPUT: negative

INPUT: seems okay, weaker than i thought it be be and too tight
OUTPUT: neutral

INPUT: They sent HyClean which is NOT for the US market therefore this is deceptive marketing
OUTPUT: negative

INPUT: I don't think we have seen much difference. Maybe we aren't doing it right.
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task.


INPUT: The light was easily assembled.... I had it up in about 15 minutes. Powered it up and I was in business. It has been running about a week or so and no problems to date.
OUTPUT: positive

INPUT: Granddaughter really likes it for her volleyball. well constructed and nice way to carry ball.
OUTPUT: positive

INPUT: Says it's charging but actually drains battery. Do not buy not worth the money.
OUTPUT: negative

INPUT: I have this installed under my spa cover to help maintain the heat. My spa is fully electric (including the heater), and this has done a good job reducing my overall electric bill by about 15% - 20% each month since last November. Quality is holding up fine, but it's out of the sun since it's under the spa cover. (Sorry, can't comment on what the longevity would be in the full sun.)
OUTPUT: positive

INPUT: Easy to use, quick and mostly painless!
OUTPUT: positive

INPUT: Not exactly what I was expecting. Packaging was not in the best condition. Lights are bright and lots of different combos. Very thin light rope and was long enough to go around my mirror.
OUTPUT: neutral

INPUT: Remote does work well, however the batteries do not last long. Disappointing.
OUTPUT: neutral

INPUT: Lamp works perfectly for my chicks
OUTPUT: positive

INPUT: So pretty...but the first time I unplugged it, the glass top came off of the base. There’s a plastic ring attached to the bottom of the glass part. It has notches - supposedly to allow you to twist it onto the nightlight base. You’d need to be able to do that in order to replace the bulb. I’ll try gorilla glue or something to see if the ring can be securely affixed to the glass. Surprisingly poor design for something so beautiful.
OUTPUT: negative

INPUT: Very nice straightener. Heats up pretty fast. Straightens great and it's a round barrel so it's really good for curling too! Leaves my hair soft, smooth, and shiny! I've had absolutely no issues so far. I'm loving it! Very happy I found this.
OUTPUT: positive

INPUT: Its a nice small string with beautiful lights, but I misread I assumed it was battery operated and its not, we are having some power issues weather related and I thought it would be nice for extra lighting, its electric plus its has to be close to an outlet. not very useful.
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task.


INPUT: They were supposed to be “universal” but did not cover the whole seat of a Dodge Ram 97
OUTPUT: negative

INPUT: The small wrench was worthless. Ended up having to buy a new blender.
OUTPUT: negative

INPUT: So cute! And fit my son perfect so I’m not sure about an adult but probably would stretch.
OUTPUT: positive

INPUT: Ummmm, buy a hard side for your expensive wreath. It is too thin to protect mine.
OUTPUT: neutral

INPUT: The product fits fine and looks good. turn signal and heated mirror work. Unfortunately, the mirror vibrates on rough roads and rattles going over bumps. Plan to return it for a replacement.
OUTPUT: negative

INPUT: Great quality but too wide to fit BBQ Galore Grand Turbo 4 burner with 2 searing bars.
OUTPUT: positive

INPUT: It's nearly impossible to find a 5 gallon bucket that this seat fits onto. I'd recommend buying the 2 together so that you might get a set that fits.
OUTPUT: negative

INPUT: Took a chance on a warehouse deal and lost. It said like new minor cosmetic on front turned out to be stickers on front and a broken speaker Connection in the back making Channel 1 useless.
OUTPUT: negative

INPUT: It doesn’t stick to my car and it’s to big
OUTPUT: negative

INPUT: These are awesome! I just used them on my 12 ft Christmas tree so I could get it out the door. So easy to use that I’m going to buy another pair.
OUTPUT: positive

INPUT: Listed to fit 2019 Subaru Forester. It doesn't fit 2019.
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task.


INPUT: Worst iPhone charger ever. The charger head broke after used for 5 Times. Terrible quality.
OUTPUT: negative

INPUT: The iron works good, but its very small, almost delicate. The insulation parts on the tip were plastic not ceramic. Came with the plug that's a bonus. But it took quite a bit longer then most things on amazon to ship. I use it for soldering race drones, i ordered the smaller tip, and its actually to small for all but my micro drones. Had to order another tip. Gets hot pretty quick. Apparently this is a firmware upgrade you can do to make it better, but i didn't have to use it.
OUTPUT: neutral

INPUT: I like this product, make me feel comfortable. I can use it convenient. The price is very cheap.
OUTPUT: positive

INPUT: I initially was impressed by the material quality of the headphones, but as I connected the headphones to listen to my song there was a problem. There is constantly this weird "old cable tv that has lost it's signal sound" in the background when trying to listen to anything. Pretty disappointed.
OUTPUT: neutral

INPUT: This cable is not of very good quality. It doesn’t fit right so you have to hold the connector to the port in order to work.
OUTPUT: negative

INPUT: Bought as gifts and me. we all love how this really cleans our electronics and my glasses
OUTPUT: positive

INPUT: Good but arrived melted because of heat even though it had been boxed with ice pack which was melted!
OUTPUT: neutral

INPUT: Perfect for Bose cord replacements, or for converting to Bluetooth using a small receiver with an Aux In input.
OUTPUT: positive

INPUT: Cheap material. Broke after a couple month of usage and I emailed the company about it and never got a response. There are much better phone cases out there so don't waste your time with this one.
OUTPUT: negative

INPUT: Had some problems getting it to work. The supplied cable was no good - would not charge the battery. When I replaced cable with my own was able to charge and then connect the device via bluetooth to a PC. Had trouble finding the PC software but when I emailed their support they responded within a day with the correct download info. PC program works well for testing the unit after you figure out which port to use (port 4 in my case). The accuracy and stability of the unit look very good for my application, however I was not able to connect to either an iPhone or iPad (tried several of each) via bluetooth. Will have to hard-wire if I decide to use this device in my product.
OUTPUT: neutral

INPUT: I loved this adapter. Arrived on time and material used was good quality. It works great, this is convenient when I use this in my car, it can use headset when you charging. It is a very good product!
OUTPUT:


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task.


INPUT: I read a review from someone stating that this case had a lip on it to protect the screen. That person is mentally insane because there is zero lip what so ever. very annoyed
OUTPUT: neutral

INPUT: These make it really easy to use your small keyboard on your phone. Would recommend to everyone.
OUTPUT: positive

INPUT: Cheap material. Broke after a couple month of usage and I emailed the company about it and never got a response. There are much better phone cases out there so don't waste your time with this one.
OUTPUT: negative

INPUT: I ordered a screen for an iPhone 8 Plus, but recevied product that was for a different phone. A significantly smaller phone.
OUTPUT: negative

INPUT: I like this case a lot but it broke on me 3 times lol it's not very durable but it's cute! the bumper and clear part will snap apart
OUTPUT: neutral

INPUT: Hit a bump while driving, and it falls off the vent. Phone holder needs to be reinserted into the vent after every use as it wiggled half off the vent.
OUTPUT: neutral

INPUT: The screen protector moves around and doesn't stick so it pops off or slides around
OUTPUT: negative

INPUT: Took a chance on a warehouse deal and lost. It said like new minor cosmetic on front turned out to be stickers on front and a broken speaker Connection in the back making Channel 1 useless.
OUTPUT: negative

INPUT: The case and disc were clean when I got them. No cracks to the case and the game worked as needed. The game itself is wonderful, full of adventure. There isn't much in replay value per se, yet most of the players find themselves going back for more, if only to level up their characters.
OUTPUT: positive

INPUT: Upsetting...these only work if you have a thin phone and or no phone case at all. I'm not going to take my phone's case (which isn't thick) off Everytime I want to use the stand. Wast of money. Don't buy if you use a phone case to protect your phone it's too thin.
OUTPUT: negative

INPUT: pretty case doesnt have any protection on front of phone so you will need an additional screen protector
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task.


INPUT: Quality was broken after 3rd use. I had a bad experience with this lost voice control.
OUTPUT: negative

INPUT: reception is quite bad compared to your stock antenna on any whoop camera. just buy the normal antenna
OUTPUT: neutral

INPUT: I didn’t like that it was made out of plastic and that you had to put it together yourself.
OUTPUT: negative

INPUT: Fantastic buy! Computer arrived quickly and was well packaged. Everything looks and performs like new. I had a problem with a cable. I contacted the seller and they immediately sent me out a new one. I can't say enough good things about about this purchase and this computer. I will definitely use them again.
OUTPUT: positive

INPUT: I initially was impressed by the material quality of the headphones, but as I connected the headphones to listen to my song there was a problem. There is constantly this weird "old cable tv that has lost it's signal sound" in the background when trying to listen to anything. Pretty disappointed.
OUTPUT: neutral

INPUT: Absolutely terrible. I ordered these expecting a quality product for 10 dollars. They were shipped in an envelope inside of another envelope all just banging against each other while on their way to me from the seller. 3 of them are broken internally, they make a rattle noise as the ones that work do not. I will be requesting a refund for these and filing a complaint with Amazon. Don't purchase unless you like to buy broken/damaged goods. Completely worthless.
OUTPUT: negative

INPUT: Overall I liked the phone especially for the price. The durability is my main issue I dropped the phone once onto a wood floor from about 12 inches and the screen cracked after having it for about 2 weeks. Otherwise it seemed to be a decent phone. It had a few little quirks that took a little getting used to but otherwise I think it wood be a good phone if it was more durable.
OUTPUT: neutral

INPUT: It worked for a week. My husband loved it. And then all of the sudden it won't charge or turn on. It just stopped working.
OUTPUT: negative

INPUT: Not worth it the data cable had to move it in a certain position to make it work i just returned it back.
OUTPUT: negative

INPUT: Took a chance on a warehouse deal and lost. It said like new minor cosmetic on front turned out to be stickers on front and a broken speaker Connection in the back making Channel 1 useless.
OUTPUT: negative

INPUT: Extremely disappointed. The video from this camera is great. The audio is a whole other story!!! No matter what I do I get tons of static. Ive used several different external mics and the audio always ends up being unusable. I really wish I would've researched this camera some more before buying it. Man what a waste of money.
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task.


INPUT: Just what I expected! Very nice!
OUTPUT: positive

INPUT: 2 out of four came busted
OUTPUT: neutral

INPUT: never got it after a week when promised
OUTPUT: negative

INPUT: Really cute outfit and fit well. But, the two bows fell off the top the first time worn. The bows were glued on opposed to sewn.
OUTPUT: neutral

INPUT: Expected more out of the movie. Reviews indicated that this would be a cast of thousands, but ended up being maybe a couple of hundred people stranded on the beach. Over all ok, but expected more actors which history showed that over 100,000 stranded on the beach.
OUTPUT: neutral

INPUT: Made a money gift fun for all
OUTPUT: positive

INPUT: DISAPPOINTED! Owl arrived missing stone for the right eye. Supposed to be a gift.
OUTPUT: neutral

INPUT: Perfect, came with everything needed. God quality and fit perfectly. Much less then original brand.
OUTPUT: positive

INPUT: Nothing like the photo. Boo.
OUTPUT: negative

INPUT: Good deal for a good price
OUTPUT: positive

INPUT: Everyone got a good laugh
OUTPUT:


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task.


INPUT: Easy to install, fits perfectly, and does a good job.
OUTPUT: positive

INPUT: Very cheap a dollar store item and u can not sweep all material into pan as the edge is not beveled correctly
OUTPUT: negative

INPUT: I love the glass design and the shape is comfortable in one hand. My first purchase of this kettle lasted for two years of daily use. The hinge on the lid is fragile, and since the lid doesn't flip entirely back - it gets strained and broke within the year. Everything else worked fine until the auto shut-off stopped working after two years. For safety, I bought a new one which has now stopped working entirely after 17 months. I still love the design, but for $58 I expected it to last longer.
OUTPUT: neutral

INPUT: I like these storage bins overall. The color of the lining inside wasn’t expected, it shows a light brown color in the photo but it’s pretty dark. I would have preferred the lining inside to match the outside, tan or grey. Other than that they are cute and look as pictured.
OUTPUT: neutral

INPUT: I found this stable and very helpful to get things off the floor, as well as to be able to store below and on top of. Nice that it's adjustable.
OUTPUT: positive

INPUT: Perfect size and good quality. Great for cupcakes
OUTPUT: positive

INPUT: Just received it and so far so good. No issues, did a great job. For a family on a budget trying to waste as least food as possible, it is a great investment and it was very affordable too.
OUTPUT: positive

INPUT: I didn’t like that it was made out of plastic and that you had to put it together yourself.
OUTPUT: negative

INPUT: It’s a nice looking piece of furniture when assembled, but assembly was difficult. Some of the letter markings were incorrectly marked so I had to try and figure out on my own The screws they supplied to attach the floor and side panels all cracked. I had to go out and purchase corner brackets to make sure they stayed together. Also the glass panel doors are out of line and don’t match evenly. This alignment prevents one of the doors from staying closed as the magnet to keep the door closed is out of line. Still haven’t figured out to align them.
OUTPUT: neutral

INPUT: My cousin has one for his kid, my daughter loves it. I got one for my back yard,but not easy to find a good spot to hang it. After i cut some trees, now its prefect. Having lots of fun with my daughter. Nice swing, easy to install.
OUTPUT: positive

INPUT: Excellent workmanship, beautiful appearance, and just the right size, installation is simple, special and stable. It can put a lot of things such as the usual utensils, dishes, and cups however, the biggest advantage is that it can save space.
OUTPUT:


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task.


INPUT: Whoever packed this does not care or has a lot to learn about dunnage.
OUTPUT: negative

INPUT: Product received was not the product ordered. It was a different set without a kettle and their were ants crawling in and out of the box so i didnt even open it but the picture shows a different item with no kettle. I was sent the same thing as a replacement. Fast shipping though.
OUTPUT: negative

INPUT: I bought the surprise shirt for grandparents, but was sent one for an aunt. I was planning on surprising them with this shirt tomorrow in a cute way, but now I have to postpone the get together until I receive the correct item sent hopefully right this time.
OUTPUT: negative

INPUT: DISAPPOINTED! Owl arrived missing stone for the right eye. Supposed to be a gift.
OUTPUT: neutral

INPUT: When i opened the package 2 of them were broken. Very disappointing
OUTPUT: negative

INPUT: Not exactly what I was expecting. Packaging was not in the best condition. Lights are bright and lots of different combos. Very thin light rope and was long enough to go around my mirror.
OUTPUT: neutral

INPUT: Ordered two identical rolls. One arrived with the vacuum bag having a large hole poked in the center - almost the size of the center hub hole. Since the roll arrives in a product box the hole either occurred before boxing at the manufacturer or I received a return. The seller responded promptly and asked for photos, which I provided. Then they asked if there was anything wrong with the product. Huh? I replied it has some issues (likely moisture related). Then they asked for details of issues. Huh? Well, I've had enough of providing them details of the damaged/defective product.
OUTPUT: neutral

INPUT: Great taste but the box was sent in a mailing envelope. So produce was smashed.
OUTPUT: neutral

INPUT: Arrived today and a bit disappointed. Great color and nice backing, BUT not thick and plush for the high price. Except fot the backing, you can find the same thickness at your local Walmart for a lot less money.
OUTPUT: neutral

INPUT: It said that was shipped but I didn't get anything
OUTPUT: negative

INPUT: I did not receive my package yet The person Noel B is not living here I don't know Him Please take a picture of the person you giving the package thank you
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task.


INPUT: I never received my item that I bought and it’s saying it was delivered.
OUTPUT: negative

INPUT: I don't like anything about it and I don't like that it is not able to be returned. JUNK!
OUTPUT: negative

INPUT: It will not turn on. It was a gift and the person called and said it does not work. It won't turn on. I would like to send back and get either another or my money back.
OUTPUT: negative

INPUT: We return the batteries and never revive a refund
OUTPUT: negative

INPUT: Absolutely terrible. I ordered these expecting a quality product for 10 dollars. They were shipped in an envelope inside of another envelope all just banging against each other while on their way to me from the seller. 3 of them are broken internally, they make a rattle noise as the ones that work do not. I will be requesting a refund for these and filing a complaint with Amazon. Don't purchase unless you like to buy broken/damaged goods. Completely worthless.
OUTPUT: negative

INPUT: I bought the surprise shirt for grandparents, but was sent one for an aunt. I was planning on surprising them with this shirt tomorrow in a cute way, but now I have to postpone the get together until I receive the correct item sent hopefully right this time.
OUTPUT: negative

INPUT: I recieved a totally different product than I ordered (pictured) and I see that I cannot return it !?! I give them one star just because I'm tryin to be nice. I ordered these black hats for a christmas project that I am doin with my 5 yr old son for his classroom and now I'm afraid to even try to reorder them again in fear that I'll recieve another different product.
OUTPUT: negative

INPUT: Great product but be aware of return policy.
OUTPUT: neutral

INPUT: Was very happy with this product. Liked it so much I ordered several more times. But the last order I made never made it to me. And they sent me a message telling me sorry. But they still took my money.
OUTPUT: neutral

INPUT: never got it after a week when promised
OUTPUT: negative

INPUT: I never received the item, it was said to arrive late for about 10 days, and yet not arrived. When it was showing expected receiving the next day, I thought just cancel and return it since it was so late. The refund processed without issues and received an email told me just keep it, but actually I never received the item.
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task.


INPUT: I'm really pissed off about this tiny brush that was sent with the bottle. This has to be a joke. I've purchased smaller water bottles and received a brush bigger/better than this.
OUTPUT: neutral

INPUT: The dress looked nothing like the picture! It was short, tight and cheap looking and fitting!
OUTPUT: negative

INPUT: You want an HONEST answer? I just returned from UPS where I returned the FARCE of an earring set to Amazon. It did NOT look like what I saw on Amazon. Only a baby would be able to wear the size of the earring. They were SO small. the size of a pin head I at first thought Amazon had forgotten to enclose them in the bag! I didn't bother to take them out of the bag and you can have them back. Will NEVER order another thing from your company. A disgrace. Honest enough for you? Grandma
OUTPUT: negative

INPUT: I never received my item that I bought and it’s saying it was delivered.
OUTPUT: negative

INPUT: I give this product zero stars. The bottle appears very old as if it has been sitting on a shelf in the sun. The expiration date is May 2020.
OUTPUT: negative

INPUT: I ordered two pairs of these shorts and was sent completely wrong sizes. I have both pairs same item ordered and the shorts are completely different sizes but are labeled the same size. One pair is 4 inches longer than the other.
OUTPUT: negative

INPUT: No liquid was in the bottle
OUTPUT: negative

INPUT: Product was not to my liking seemed diluted to other brands I have used, will not buy again. Sorry
OUTPUT: negative

INPUT: Runs very large. Order 3 sizes smaller!
OUTPUT: neutral

INPUT: Im not sure if its just this sellers stock of this product or what but the first order was no good, each bottle had mold and clumps in the bottle and usually companies will put a couple of metal beads in a bottle to aid in the mixing but these had a rock in it... like a rock off the ground. I decided to replace the item, same seller, and once again they were all clumpy and gross... I attached a photo. I wouldnt buy these, at least not from this seller.
OUTPUT: negative

INPUT: Honestly this says 10oz my bottles I received wore a 4oz bottle
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task.


INPUT: Didn't expect much for the price, and that's about what I got. It covers and protects my table, just have to live with a grid of folds from packaging. Seller advised to use a hair dryer to flatten out the wrinkles, but it was a very painstakingly slow process that only took some of the sharp edges off of the folds, didn't make much difference. Going to invest in something better (and much more expensive) for daily use, this is OK for what it does.
OUTPUT: neutral

INPUT: These little lights are awesome. They put off a nice amount of light. And you can put them ANYWHERE! I have put one in the pantry. Another in my linen closet. Another one right next to my bed for when I get up in the middle of the night. Have only had them about a month but so far so good!
OUTPUT: positive

INPUT: We bring the kid to Cape Cod this long weekend. The shelter is very helpful when we stay on the beach. Kid feel comfortable when she was in the shelter. It was cool inside of shelter especially if you put some water on the top of the shelter. It is also very easy to carry and set up. It is a good product with high quality.
OUTPUT: positive

INPUT: Easy to use, quick and mostly painless!
OUTPUT: positive

INPUT: I found this stable and very helpful to get things off the floor, as well as to be able to store below and on top of. Nice that it's adjustable.
OUTPUT: positive

INPUT: I love the glass design and the shape is comfortable in one hand. My first purchase of this kettle lasted for two years of daily use. The hinge on the lid is fragile, and since the lid doesn't flip entirely back - it gets strained and broke within the year. Everything else worked fine until the auto shut-off stopped working after two years. For safety, I bought a new one which has now stopped working entirely after 17 months. I still love the design, but for $58 I expected it to last longer.
OUTPUT: neutral

INPUT: So far my daughter loves it. She uses it for school backpack. As far as durable, we just got it, so we will have to see.
OUTPUT: positive

INPUT: I have this installed under my spa cover to help maintain the heat. My spa is fully electric (including the heater), and this has done a good job reducing my overall electric bill by about 15% - 20% each month since last November. Quality is holding up fine, but it's out of the sun since it's under the spa cover. (Sorry, can't comment on what the longevity would be in the full sun.)
OUTPUT: positive

INPUT: Awesome little pillow! Made it easy to transport on my motorcycle.
OUTPUT: positive

INPUT: The light was easily assembled.... I had it up in about 15 minutes. Powered it up and I was in business. It has been running about a week or so and no problems to date.
OUTPUT: positive

INPUT: Lite and easy to use, folds with ease and can be stored in the back seat, but the elastic which holds the shade closed failed within two weeks. Really didn't expect it to last much longer anyway. The price was good so likely will buy again next year.
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task.


INPUT: These are great for SO many things. Originally I had them in my drink at a club but then later bought them for my wedding center pieces. The light stays on for weeks but becomes dim after 3 or 4 days. We had a great time leaving the extra ones around the party and will use the extra ones for fun.
OUTPUT: positive

INPUT: Says it's charging but actually drains battery. Do not buy not worth the money.
OUTPUT: negative

INPUT: Does not give out that much light
OUTPUT: neutral

INPUT: I have this installed under my spa cover to help maintain the heat. My spa is fully electric (including the heater), and this has done a good job reducing my overall electric bill by about 15% - 20% each month since last November. Quality is holding up fine, but it's out of the sun since it's under the spa cover. (Sorry, can't comment on what the longevity would be in the full sun.)
OUTPUT: positive

INPUT: So pretty...but the first time I unplugged it, the glass top came off of the base. There’s a plastic ring attached to the bottom of the glass part. It has notches - supposedly to allow you to twist it onto the nightlight base. You’d need to be able to do that in order to replace the bulb. I’ll try gorilla glue or something to see if the ring can be securely affixed to the glass. Surprisingly poor design for something so beautiful.
OUTPUT: negative

INPUT: Cheap, don’t work. Very dim. Not worth the money.
OUTPUT: negative

INPUT: Great lights! Super bright! Way better than stock! Fit my 2002 ford ranger no problem! Love the led look! Had for about a year and only one bulb went out around 6 months i emailed them my order number and address they sent me a new bulb within 2 days! Works great ever since!! Great product for the money! Great customer service!
OUTPUT: positive

INPUT: Love them. have to turn off when not in use tho
OUTPUT: positive

INPUT: I really Like this ring light! It is wonderful for the price and it gets the job done! The only issue is the light bulb heats up too fast and the light goes out, so I have to turn it off wait for a while then turn it back on. I don't think that is supposed to happen...I don't know if I have a defective light or what, but it is a very nice ring light besides the overheating.
OUTPUT: neutral

INPUT: Works very well. Easy to set alarms, and time. The snooze/backlight function is pretty neat too. The dim back light is also nice so that you can actually read the time in the dark.
OUTPUT: positive

INPUT: Great lite when plugged in, but light is much dimmer when used on battery mode.
OUTPUT:


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task.


INPUT: ordered and never received it.
OUTPUT: negative

INPUT: The iron works good, but its very small, almost delicate. The insulation parts on the tip were plastic not ceramic. Came with the plug that's a bonus. But it took quite a bit longer then most things on amazon to ship. I use it for soldering race drones, i ordered the smaller tip, and its actually to small for all but my micro drones. Had to order another tip. Gets hot pretty quick. Apparently this is a firmware upgrade you can do to make it better, but i didn't have to use it.
OUTPUT: neutral

INPUT: Perfect, came with everything needed. God quality and fit perfectly. Much less then original brand.
OUTPUT: positive

INPUT: I ordered green but was sent grey. Bought it to secure outside plants/shrubs to wooden poles. Wrong color but I'll make it work.
OUTPUT: neutral

INPUT: Maybe it's just my luck because this seems to happen to me with other products but the motor broke in 2 weeks. That was a bummer. I liked it for the 2 weeks though!
OUTPUT: neutral

INPUT: Shipped quick and fits perfect. Price is a good value as well! If I need another holster I'll be looking to buy from this seller again.
OUTPUT: positive

INPUT: I didn’t like that it was made out of plastic and that you had to put it together yourself.
OUTPUT: negative

INPUT: Arrived today and a bit disappointed. Great color and nice backing, BUT not thick and plush for the high price. Except fot the backing, you can find the same thickness at your local Walmart for a lot less money.
OUTPUT: neutral

INPUT: I ordered Copic Bold Primaries and got Copic Ciao Rainbow instead. Amazon gave me a full refund but still annoying to have to reorder and hopefully get the right item.
OUTPUT: negative

INPUT: Did not come with the wand
OUTPUT: negative

INPUT: I am very annoyed because it came a day late and it didn’t come with the ferro rod and striker which is the main reason why I ordered it
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task.


INPUT: Just doesn't get hot enough for my liking. Its stashed away in the drawer.
OUTPUT: neutral

INPUT: Wouldn’t keep air the first day of use!!!
OUTPUT: negative

INPUT: Took a bottle to Prague with me but it just did not seem to do much.
OUTPUT: negative

INPUT: I love the glass design and the shape is comfortable in one hand. My first purchase of this kettle lasted for two years of daily use. The hinge on the lid is fragile, and since the lid doesn't flip entirely back - it gets strained and broke within the year. Everything else worked fine until the auto shut-off stopped working after two years. For safety, I bought a new one which has now stopped working entirely after 17 months. I still love the design, but for $58 I expected it to last longer.
OUTPUT: neutral

INPUT: Bought as gifts and me. we all love how this really cleans our electronics and my glasses
OUTPUT: positive

INPUT: Great idea! My nose is always cold and I can't fall asleep when it is cold, but for some reason this isn't keeping my nose warm.
OUTPUT: neutral

INPUT: I like this product, make me feel comfortable. I can use it convenient. The price is very cheap.
OUTPUT: positive

INPUT: Can’t get ice all the way around the bowl. Only on the bottom, so it didn’t keep my food as cold as I would have liked.
OUTPUT: neutral

INPUT: Wore it when I went to the bar a couple times and the silver coating started to rub off but for the price I cannot complain. My biggest issue I have with it is it flipping around. Got a lot of compliments though.
OUTPUT: neutral

INPUT: Horrible after taste. I can imagine "Pine Sol Cleaning liquid" tasting like this. Very strange. It's a NO for me.
OUTPUT: negative

INPUT: I love that it keeps the wine cold.
OUTPUT:


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task.


INPUT: These do run large than expected. I wear a size 6 ordered 5-6 and they are way to big, I have to wear socks to keep them on . Plus I thought they would be thicker inside but after wearing them for a few days they seemed to break down . I will try to find a better pair
OUTPUT: neutral

INPUT: I have bought these cloths in the past, but never from Amazon. In contrast to previous purchases, these cloths do not absorb properly after the first wash. After washing they feel more like 'napkins'... very disappointed.
OUTPUT: negative

INPUT: I love how the waist doesn't have an elastic band in them. I have a bad back and tight waist bands always make my back feel worse.These feel decent...although If they could make them just one size larger..and not just offer plus size....that would be even better for my back.
OUTPUT: positive

INPUT: The paw prints are ALREADY coming off the bottom of the band where you snap it together, I've only worn it three times. Very upset that the paw prints have started rubbing off already 😡
OUTPUT: neutral

INPUT: The black one with the tassels on the front and it looks pretty cute, perfect for summer. I have broad shoulders so the looseness was great for me but if you are more petit you might not love how oversized it can look (specially the sleeves). Please note, it does SHRINK after washing (not even drying) so beware!! Also, it is very short but cute nonetheless.
OUTPUT: neutral

INPUT: I ordered two pairs of these shorts and was sent completely wrong sizes. I have both pairs same item ordered and the shorts are completely different sizes but are labeled the same size. One pair is 4 inches longer than the other.
OUTPUT: negative

INPUT: I bought these for under dresses and they are perfect for that. I did size up to a large instead of a medium because they run small. They hit the knees on me but that’s because I’m 4’11”
OUTPUT: positive

INPUT: The Marino Avenue brand Men’s low cut socks are of good quality. I put them through one cycle of hot water washing and drying and they stood up to the challenge. What I like best is the color choices on the socks. The green, yellow, red, and black one is my favorite combo.
OUTPUT: positive

INPUT: I have a feeling they were worn before , they came in a repackage but the stitching on the shoes as a slight pink hue to it ? Doesn’t really show up on camera. They’re still pretty new and fit a bit tight but I should have ordered a size up
OUTPUT: neutral

INPUT: Terrific fabric and fit through belly, hips and thighs, but apparently these should be worn with 3" heels, which is ridiculous for exercise/loungewear. (Yes I'm being sarcastic.) Seriously: these were at least 4" too long to be comfortable (let alone safe to walk in). Back they go, and I won't try again.
OUTPUT: neutral

INPUT: I think I got a size too big and their are weird wrinkling at the thigh area. I got them bigger to be appropriate for casual work or church social occasions without fitting too tight. The color was nice and the pair I have are soft. I will try washing them in hot water to see if they shrink a little.
OUTPUT:


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task.


INPUT: So far my daughter loves it. She uses it for school backpack. As far as durable, we just got it, so we will have to see.
OUTPUT: positive

INPUT: Upsetting...these only work if you have a thin phone and or no phone case at all. I'm not going to take my phone's case (which isn't thick) off Everytime I want to use the stand. Wast of money. Don't buy if you use a phone case to protect your phone it's too thin.
OUTPUT: negative

INPUT: This is a knock off product. This IS NOT a puddle jumper brand float but a flimsy knock off instead. It is missing all stearns and puddle jumper branding on the arms. Do not buy!
OUTPUT: negative

INPUT: This case is ok, but not exceptional - a 3.5 or 4 max. The issue is there are fewer cases available for the Tab A 10.1 w S pen. Of those the Gumdrop is about the best, but it has some serious issues. The case rubber (silicone, whatever) is very smooth and slick, and doesn't give you a lot of confidence when hold the Tab with one hand. The Tab A is heavy so if your laying down watching a video the case slips in your hand so you have to make frequent adjustments. I had to remove the clear plastic shield that covers the screen because it impaired the touch screen operation. This affected the strength of the 1-piece plastic frame the surrounds the Tab A, so now the rubber outer cover feels really flexible and flimsy. Lastly, they made it difficult to get to the S pen. The S pen is in the back bottom right hand corner of the Tab A, and they made the little rubber flap that protects corner swing backwards for access to the S pen. This means in order to get the S pen out, the flap has to swing out 180 degrees. This is really awkward and hard to do with one hand. This case does a good job protecting my Tab A, but with these serious design flaws I can't recommend it unless you have an S pen, then you don't have much choice.
OUTPUT: neutral

INPUT: I found this stable and very helpful to get things off the floor, as well as to be able to store below and on top of. Nice that it's adjustable.
OUTPUT: positive

INPUT: I really love this product. I love how big it is compare to others diaper changing pads. I love the extra pockets and on top of that you get a free insulated bottle bag. All of that for an amazing price.
OUTPUT: positive

INPUT: This is a neat toy. It is fun to play with. The track pieces snap together easily. It keeps kids entertained. It comes with dinosaurs. It is made very well.
OUTPUT: positive

INPUT: Looks good. Clasp some times does not lock completely and the watch falls off. One time it fell off and the back cover popped off. I do get lots of compliments of color combination.
OUTPUT: neutral

INPUT: I dislike this product it didnt hold water came smash in a bag and i just thow it in the trash
OUTPUT: negative

INPUT: I like this case a lot but it broke on me 3 times lol it's not very durable but it's cute! the bumper and clear part will snap apart
OUTPUT: neutral

INPUT: Great product, I got this for my dad because he tends to drop a lot of objects and when i got him his airpod case, i was worried it might break. This case did the job and the texture made it non slip so it wont fall off surfaces as easily. The clip also makes it easy for my dad to clip it to his work bag so it wont get lost easily.
OUTPUT:


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task.


INPUT: Disappointed. There's this pink discoloration all over the back of the shirt. It's like someone already wore this
OUTPUT: negative

INPUT: The toy is ok but it came in what they call "standard packaging" and that amounted to a plain brown cardboard box, NOT the colorful box in the photo. Can't give this as a gift in this cardboard packaging.
OUTPUT: neutral

INPUT: I opened a bottle of this smart water and took a large drink, it had a very strong disgusting taste (swamp water). I looked into the bottle and found many small particles were floating in the water... a few brown specs and some translucent white. I am completely freaked out and have contacted Coca-Cola, the product manufacture.
OUTPUT: negative

INPUT: It's only been a few weeks and it looks moldy & horrible. I bought from the manufacturer last year and had no problems.
OUTPUT: negative

INPUT: I ordered green but was sent grey. Bought it to secure outside plants/shrubs to wooden poles. Wrong color but I'll make it work.
OUTPUT: neutral

INPUT: The process was pretty simple and straightforward, and I ended up using the entire mixture all over my hair. After leaving it in for at least 30 minutes and following all the steps, it still didn't cover all my grays. It did mask a good portion of them to blend more with my hair, but I wish it would've been complete coverage.
OUTPUT: neutral

INPUT: Seriously the fluffiest towels! The color is beautiful, exactly as pictured, and they are bigger than I expected. Plus, I spent the same amount of money for these that I would have on the "premium" (non-organic) towels from Wal-Mart. You can't go wrong.
OUTPUT: positive

INPUT: The beige mat looked orange on my beige flooring so I returned it and ordered a gray mat from another company that was $7 less to be safe on the color.
OUTPUT: neutral

INPUT: Very drying on my hair .
OUTPUT: negative

INPUT: The quality is meh!! (treads are hanging out from places), however the colors are not the same (as seen on the display) :(
OUTPUT: neutral

INPUT: The color is mislabeled. This is supposed to be brown/blonde but comes out almost white. Completely unusable.
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task.


INPUT: Easy to install, fits perfectly, and does a good job.
OUTPUT: positive

INPUT: It was a great kit to put together but one gear is warped and i am finding myself ripping my hair out sanding and adjusting it to try to get it to tick more than a few seconds at a time.
OUTPUT: neutral

INPUT: Installation instructions are vague and pins are cheap. It gets the job done but I dont feel it will last very long. Cheaply made. Update: lasted 3 months and I didn't even put the max weight on a single line.
OUTPUT: negative

INPUT: This fan was checked out before the installer left. Later that day I turned it on and the globe was wobbling a lot. He was able to return the next day and discovered that the screws fastening the globe were loose already. He replaced them with some bigger screws he had with him. That was two weeks ago and the fan is still fine. It is very attractive and quiet.
OUTPUT: neutral

INPUT: I didn’t like that it was made out of plastic and that you had to put it together yourself.
OUTPUT: negative

INPUT: My cousin has one for his kid, my daughter loves it. I got one for my back yard,but not easy to find a good spot to hang it. After i cut some trees, now its prefect. Having lots of fun with my daughter. Nice swing, easy to install.
OUTPUT: positive

INPUT: The quality is meh!! (treads are hanging out from places), however the colors are not the same (as seen on the display) :(
OUTPUT: neutral

INPUT: Product does not stick well came loose and less than 24 hours after installing did everything correctly but just didn’t work
OUTPUT: negative

INPUT: Comes apart easy Nice, one broke already
OUTPUT: neutral

INPUT: Very easy install. Directions provided were simple to understand. Lamp worked on first try! Thanks!
OUTPUT: positive

INPUT: Easy to install and keep my threadripper nice and cool!
OUTPUT:


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task.


INPUT: Arrived today and a bit disappointed. Great color and nice backing, BUT not thick and plush for the high price. Except fot the backing, you can find the same thickness at your local Walmart for a lot less money.
OUTPUT: neutral

INPUT: It will do the job of holding shoes. It's not glamorous, but it holds shoes and stands in a closet. You will need help with the shelving assembly as it is a two person job.
OUTPUT: neutral

INPUT: The dress fits perfect! It’s a tad too long but not enough to bother with the hassle of getting it hemmed. The material is extremely comfortable and I love the pockets! I WILL be ordering a couple more in different colors.
OUTPUT: positive

INPUT: The beige mat looked orange on my beige flooring so I returned it and ordered a gray mat from another company that was $7 less to be safe on the color.
OUTPUT: neutral

INPUT: great throw for high end sofa, and works with any style even contemporary sleek sectionals
OUTPUT: positive

INPUT: Seriously the fluffiest towels! The color is beautiful, exactly as pictured, and they are bigger than I expected. Plus, I spent the same amount of money for these that I would have on the "premium" (non-organic) towels from Wal-Mart. You can't go wrong.
OUTPUT: positive

INPUT: I love how it's made of a strechy material and a light shirt. So cute.
OUTPUT: positive

INPUT: Good quality of figurine features
OUTPUT: positive

INPUT: I like these storage bins overall. The color of the lining inside wasn’t expected, it shows a light brown color in the photo but it’s pretty dark. I would have preferred the lining inside to match the outside, tan or grey. Other than that they are cute and look as pictured.
OUTPUT: neutral

INPUT: I've bought many wigs by far this is the best! I was sceptical about the price and quality but it surpassed my expectations. Loving my new wig great texture natrual looking!!
OUTPUT: positive

INPUT: This is a beautiful rug. exactly what I was looking for. When I received it, I was very impressed with the color. However, it is very thin. My dinning room table sets on it so I don't think it will get much wear. I hope it will hold up over time.
OUTPUT:


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task.


INPUT: My dog loves this toy, I haven't seen hear more thrill with any other toy, for the first three days, which is how long the squeaker lasted. She is not a heavy chewer, and in one of her "victory walks" after retrieving the ball, the squeaker was already gone. Apart from that it is my best investment
OUTPUT: neutral

INPUT: Ordered this for a Santa present and Christmas Eve noticed it came broken!
OUTPUT: negative

INPUT: My puppies loved it!
OUTPUT: positive

INPUT: The toy is ok but it came in what they call "standard packaging" and that amounted to a plain brown cardboard box, NOT the colorful box in the photo. Can't give this as a gift in this cardboard packaging.
OUTPUT: neutral

INPUT: Quality made from a family business. Sometimes a challenge to move around due to the chew toys hanging off but gives our puppy something to knaw on throughout the night. 5 month update: Our dog doesn't destroy many toys but since he truly loves this one he has ripped off the head, the tail rope, torn a few corner rope rings, put teeth marks in the internal foam and now ripped the underside of the cover. I'm giving this 4 stars still due to the simple fact that he LOVES this thing. Purchased right before they sold out, maybe the new model is more durable. Update with new model: The newer model has some areas where design has decreased in quality. The "tail" rope is not attached nearly as well as the first one. However, so far nothing has been ripped off of it in the 3 weeks since we have received it. He still loves it though!
OUTPUT: neutral

INPUT: I hate to give this product one star when it probably deserves 5. My dog has chronic itchy skin and I had high hopes that this product would be the answer to his skin issues. I'll never know because he won't eat them. At first I gave them to him as a treat. He sniffed it and walked away. I crumbled just one up in his food but he was onto me and wouldn't touch it. So, sadly, the search continues.
OUTPUT: negative

INPUT: After I gave it to my pet bunny, she didn't like it as much.
OUTPUT: neutral

INPUT: The piano is great starters! It finds your child’s inner artistic ability and musical talent. It develops a good hand-eye coordination. The piano isn’t only a play toy, but it actually works and allows your child to play music at an early age. If you want your child to be a future pianist, you should try this product out! Very worth the money!
OUTPUT: positive

INPUT: I was very disappointed in this item. It is very soft and not chewy. It falls apart in your hand. My dog eats them but I prefer a more chewy treat for my dog.
OUTPUT: negative

INPUT: She loved very much as a birthday gift and also said it will come in handy for all kinds of outings.
OUTPUT: positive

INPUT: My dog is loving her new toy. She has torn up others very quick, so far so good here. L
OUTPUT:


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task.


INPUT: I had it less than a week and the c type tip that connects to my S9 got burnt.
OUTPUT: negative

INPUT: Ordered this for a Santa present and Christmas Eve noticed it came broken!
OUTPUT: negative

INPUT: We bought it in hopes my son would stop sucking his thumb. He doesn't suck it when it's on but when it's off for eating, bathing, washing hands... he will still do it. We are now going to try the nail polish with bitter taste. This is a good idea, my son just needs something stronger to beat it.
OUTPUT: neutral

INPUT: Had three weeks and corner grommet ripped out
OUTPUT: negative

INPUT: The iron works good, but its very small, almost delicate. The insulation parts on the tip were plastic not ceramic. Came with the plug that's a bonus. But it took quite a bit longer then most things on amazon to ship. I use it for soldering race drones, i ordered the smaller tip, and its actually to small for all but my micro drones. Had to order another tip. Gets hot pretty quick. Apparently this is a firmware upgrade you can do to make it better, but i didn't have to use it.
OUTPUT: neutral

INPUT: Maybe it's just my luck because this seems to happen to me with other products but the motor broke in 2 weeks. That was a bummer. I liked it for the 2 weeks though!
OUTPUT: neutral

INPUT: It didn’t work at all. All the wax got stuck at the top and would never flow.
OUTPUT: negative

INPUT: It already stopped working. It no longer charges.
OUTPUT: negative

INPUT: Clasps broke off after having for only a few months 😢
OUTPUT: negative

INPUT: Just received it and so far so good. No issues, did a great job. For a family on a budget trying to waste as least food as possible, it is a great investment and it was very affordable too.
OUTPUT: positive

INPUT: Tip broke after a few weeks of use.
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task.


INPUT: Solid value for the money. I’ve yet to have a problem with the first pair I bought. Buying a second for my second box.
OUTPUT: positive

INPUT: Don't buy this game the physics are terrible and I am so mad at this game because probably there are about 40 hackers on every single game and the game. Don't doesn't even do anything about it you know they just let the hackers do whatever they want and then they do know that the game is terrible but they're doing absolutely nothing about it and the game keeps on doing updates about their characters really what they should be updating is the physics because it's terrible don't buy this game the physics are terrible and mechanics are terrible the people that obviously the people that built this game was high or something because it's one of the worst games I've honestly ever played in my life I would rather play Pixel Games in this crap it's one of the worst games don't buy
OUTPUT: negative

INPUT: This case is ok, but not exceptional - a 3.5 or 4 max. The issue is there are fewer cases available for the Tab A 10.1 w S pen. Of those the Gumdrop is about the best, but it has some serious issues. The case rubber (silicone, whatever) is very smooth and slick, and doesn't give you a lot of confidence when hold the Tab with one hand. The Tab A is heavy so if your laying down watching a video the case slips in your hand so you have to make frequent adjustments. I had to remove the clear plastic shield that covers the screen because it impaired the touch screen operation. This affected the strength of the 1-piece plastic frame the surrounds the Tab A, so now the rubber outer cover feels really flexible and flimsy. Lastly, they made it difficult to get to the S pen. The S pen is in the back bottom right hand corner of the Tab A, and they made the little rubber flap that protects corner swing backwards for access to the S pen. This means in order to get the S pen out, the flap has to swing out 180 degrees. This is really awkward and hard to do with one hand. This case does a good job protecting my Tab A, but with these serious design flaws I can't recommend it unless you have an S pen, then you don't have much choice.
OUTPUT: neutral

INPUT: Received this file box last night, and begin to put my documents in as soon as I received it. It is very good for me as my husband and I get a lot paperwork to save. The colorful tags make it easier to find what I want. The material is strong. I finally get something to help with the messy drawer! Love this product! I believe I will buy another one when this one is full!
OUTPUT: positive

INPUT: 2 out of four came busted
OUTPUT: neutral

INPUT: Never receive my cases and never answer
OUTPUT: negative

INPUT: Made a money gift fun for all
OUTPUT: positive

INPUT: Zero stars!!!! Scam company DO NOT BUY FROM THEM!!!
OUTPUT: negative

INPUT: These monitors arrived fairly quickly and they're a great deal but the packages were in ridiculous condition. Big boot footprints were on two boxes, a big hole in another and all of them were crushed pretty good. I haven't opened and setup the monitors yet but I'll be surprised if some aren't damaged. Probably need a new shipping company or contact them about the shape some of those are in.
OUTPUT: neutral

INPUT: Failed out of the box.
OUTPUT: negative

INPUT: This gets three stars because it did not give me exactly what I ordered. I ordered 4 of the 100 card lots. So, I wanted 100 Unstable MTG cards per box. Instead, I was given 97 Unstable cards per box, and 4 random MTG commons. I paid for 100 Unstable cards! Not 97 and 4 random cards! Also, the boxes they advertise are not too great. They do the job of holding the cards, but that's about it. I'm definitely getting a new case for these. If you want to buy, don't take it too seriously. Don't expect all 100 cards to be Unstable, and expect multiples.
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task.


INPUT: I was totally looking forward to using this because I tried the original solution and it was great but it burned my skin because I have sensitive skin but this one Burns and makes my make up look like crap I wouldn’t recommend it at all don’t waste your money
OUTPUT: negative

INPUT: Okay pool cue. However you can buy one 4 oz. lighter (21 oz,) for 1/3 the price of this 25 oz. cue. Not worth the extra money for the weight difference.
OUTPUT: neutral

INPUT: Horrible after taste. I can imagine "Pine Sol Cleaning liquid" tasting like this. Very strange. It's a NO for me.
OUTPUT: negative

INPUT: Does not work mixed this with process solution and 000 and nothing. Looked exactly the same as i first put it on.
OUTPUT: negative

INPUT: High quality product. I prefer the citrate formula over other types of magnesium
OUTPUT: positive

INPUT: Expensive for a kids soap
OUTPUT: neutral

INPUT: Great idea! My nose is always cold and I can't fall asleep when it is cold, but for some reason this isn't keeping my nose warm.
OUTPUT: neutral

INPUT: Can't speak to how the product works but the package arrived torn up and filthy. The bottles appear to be ok
OUTPUT: neutral

INPUT: Started using it yesterday.. so far so good.. no side effects.. 1/4 of a teaspoon twice per day in protein shakes.. I guess it takes a few weeks for chronic potassium deficiency and chronic low acidic state to be reversed and for improvements on wellbeing to show.. I suggest seller supplies 1/8 spoon measure with this item and clear instructions on dosage because an overdose can be lethal
OUTPUT: neutral

INPUT: The process was pretty simple and straightforward, and I ended up using the entire mixture all over my hair. After leaving it in for at least 30 minutes and following all the steps, it still didn't cover all my grays. It did mask a good portion of them to blend more with my hair, but I wish it would've been complete coverage.
OUTPUT: neutral

INPUT: I have been using sea salt and want to mix this in for the iodine.
OUTPUT:


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task.


INPUT: This fan was checked out before the installer left. Later that day I turned it on and the globe was wobbling a lot. He was able to return the next day and discovered that the screws fastening the globe were loose already. He replaced them with some bigger screws he had with him. That was two weeks ago and the fan is still fine. It is very attractive and quiet.
OUTPUT: neutral

INPUT: 2 out of three stopped working after two weeks.! Threw them all in the trash. Don't waste your money
OUTPUT: negative

INPUT: These are great for SO many things. Originally I had them in my drink at a club but then later bought them for my wedding center pieces. The light stays on for weeks but becomes dim after 3 or 4 days. We had a great time leaving the extra ones around the party and will use the extra ones for fun.
OUTPUT: positive

INPUT: Corner of magnet board was bent ... would like new one sent will not adhere to fridge on the corner
OUTPUT: neutral

INPUT: Fantastic buy! Computer arrived quickly and was well packaged. Everything looks and performs like new. I had a problem with a cable. I contacted the seller and they immediately sent me out a new one. I can't say enough good things about about this purchase and this computer. I will definitely use them again.
OUTPUT: positive

INPUT: Maybe it's just my luck because this seems to happen to me with other products but the motor broke in 2 weeks. That was a bummer. I liked it for the 2 weeks though!
OUTPUT: neutral

INPUT: Spend a few dollars more and get one that works.
OUTPUT: negative

INPUT: Love them. have to turn off when not in use tho
OUTPUT: positive

INPUT: Took a chance on a warehouse deal and lost. It said like new minor cosmetic on front turned out to be stickers on front and a broken speaker Connection in the back making Channel 1 useless.
OUTPUT: negative

INPUT: Cheap, don’t work. Very dim. Not worth the money.
OUTPUT: negative

INPUT: I had these desk top fan since Christmas 2017 and only used them a hand full of times and now the fans don’t even work. What a waste of money.
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task.


INPUT: I would love to give this product 5 star but unfortunately it just doesn’t cut due to quality. I bought them only (and only) for my toddlers snacks. And for that purpose they work great. I would probably use them in other situations as well if they were all the same. And yes I understand, if they are hand carved from one piece of wood, there could be slight difference, but that’s where product quality control comes in. I guess they just didn’t want any faulty products and decided to sell them all no matter what.
OUTPUT: neutral

INPUT: Received this file box last night, and begin to put my documents in as soon as I received it. It is very good for me as my husband and I get a lot paperwork to save. The colorful tags make it easier to find what I want. The material is strong. I finally get something to help with the messy drawer! Love this product! I believe I will buy another one when this one is full!
OUTPUT: positive

INPUT: Very cheaply made, its not worth your money, ours came already broken and looks like it's been played with, retaped, resold.
OUTPUT: negative

INPUT: Overall it’s a nice bed frame but it comes with scratches all over the frame. It comes with a building kit (kind of like an IKEA building kit) so it takes a while
OUTPUT: neutral

INPUT: I found this stable and very helpful to get things off the floor, as well as to be able to store below and on top of. Nice that it's adjustable.
OUTPUT: positive

INPUT: The 8 year old nephew said he wanted this for his birthday. I felt it was a bit much for a toy but he caught me on a good day. Come to find out it's a fragile collectible so the nephew lost all the small parts the moment he opened it. I guess it's adequate for collectors that want detail on such a small figurine.
OUTPUT: neutral

INPUT: It's only been a few weeks and it looks moldy & horrible. I bought from the manufacturer last year and had no problems.
OUTPUT: negative

INPUT: Very poorly packaged. The glasses banged each other. Should have been bubble wrapped. So bummed that I can’t use these for a party tonight!
OUTPUT: negative

INPUT: Beautifully crafted. No problem removing cake from pan and the cakes look very nice
OUTPUT: positive

INPUT: This is literally just a cardstock. Not a canvas and needs to be framed to display. Not a good price considering all it is.
OUTPUT: neutral

INPUT: This is a poorly made piece that was falling apart as we assembled it - some of the elements looked closer to cardboard than any wood you can imagine. I can foresee that it will be donated or thrown away in the next few months or even weeks.
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task.


INPUT: Works great, bought a 2nd one for my son's dog. I usually only put them on at night and it stopped the barking immediately. Battery lasted a month. Used a little duct tape to keep the collar at the right length.
OUTPUT: positive

INPUT: Did not come with the wand
OUTPUT: negative

INPUT: This fan was checked out before the installer left. Later that day I turned it on and the globe was wobbling a lot. He was able to return the next day and discovered that the screws fastening the globe were loose already. He replaced them with some bigger screws he had with him. That was two weeks ago and the fan is still fine. It is very attractive and quiet.
OUTPUT: neutral

INPUT: Way to sensitive turns on and off 1000 times a night I guess it picks up bugs or something
OUTPUT: negative

INPUT: We have a smooth collie who is about 80 pounds. Thank goodness she just jumps into the tub. When she jumps back out it takes multiple towels to get her dry enough to use the hair dryer. Yes, she really is a typical girl and does not mind the hair dryer at all. I bought this hoping it would absorb enough to get her dry without any additional towels. Did not work for Stella. Now, I am sure it would work for a small dog and is a very nice towel. If you have a small dog, go ahead and get it.
OUTPUT: neutral

INPUT: It was a great kit to put together but one gear is warped and i am finding myself ripping my hair out sanding and adjusting it to try to get it to tick more than a few seconds at a time.
OUTPUT: neutral

INPUT: Really can't say because cat refused to try it. I gave it to someone else to try
OUTPUT: negative

INPUT: Can't speak to how the product works but the package arrived torn up and filthy. The bottles appear to be ok
OUTPUT: neutral

INPUT: Not enough information and it seems to behave erratically. Not contacted Tech Support yet. Support URL in printed instructions is dead. Needs better instructions for VOIP POTS without cordless phones in home. I am somewhat allergic to radios. Literature does not tell what to expect when CPR Call blocker is disconnected for short period of time. It depends entirely on talk line battery. I need it to work and am not giving up. Tech support seems to be illusive.
OUTPUT: neutral

INPUT: My dog loves this toy, I haven't seen hear more thrill with any other toy, for the first three days, which is how long the squeaker lasted. She is not a heavy chewer, and in one of her "victory walks" after retrieving the ball, the squeaker was already gone. Apart from that it is my best investment
OUTPUT: neutral

INPUT: Product does not include instructions, but turning the shaft changes the frequency. Does nothing to quiet the dog next door, but when I blow it in the house, my wife barks.
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task.


INPUT: reception is quite bad compared to your stock antenna on any whoop camera. just buy the normal antenna
OUTPUT: neutral

INPUT: The light was easily assembled.... I had it up in about 15 minutes. Powered it up and I was in business. It has been running about a week or so and no problems to date.
OUTPUT: positive

INPUT: It will not turn on. It was a gift and the person called and said it does not work. It won't turn on. I would like to send back and get either another or my money back.
OUTPUT: negative

INPUT: Lamp works perfectly for my chicks
OUTPUT: positive

INPUT: I purchased this for my wife in October, 2017. At the time, we were in the middle of relocating and living in a hotel. I couldn't get this scale to connect to the Wifi in the hotel. I decided to wait until we moved into our home and I could set up my own Wifi system. March 2018- I have set up my Wifi system and this scale still won't connect. Every time I try, I get the error message. Even when I am 10' away from the Wifi unit. I followed the YouTube setup video with no success. When I purchased the unit, I thought it would connect directly to my wife's phone (like Bluetooth). Instead, this scale uses the Wifi router to communicate to the phone. This system is limited to the router connection...which is usually not close to the bedroom unlike a cell phone! I wouldn't recommend this scale to anyone because of the Wifi connection. Instead, please look at systems that use Bluetooth for communication. I am replacing this with a Bluetooth connection scale.
OUTPUT: negative

INPUT: Downloaded the app after disconnecting my cable provider to watch shows that I enjoy and to see any of them you have to sign in thru your cable provider. Really disappointed!!
OUTPUT: negative

INPUT: This shade sits too low on the lens and it hangs below the top edge of the lens and is crooked! The design is terrible. What made it worse is that it cannot be returned!! Don’t buy and waste your money!
OUTPUT: negative

INPUT: Works very well. Easy to set alarms, and time. The snooze/backlight function is pretty neat too. The dim back light is also nice so that you can actually read the time in the dark.
OUTPUT: positive

INPUT: I have never had a bad shipment of these and my yard is full of them, this last shipment has one strand that won't work at all and the other strand only works on flash, i'm definitely afraid to order any more of them.
OUTPUT: negative

INPUT: Not worth it the data cable had to move it in a certain position to make it work i just returned it back.
OUTPUT: negative

INPUT: We never could get this bulb camera to work. I’ve had 3 people try this bulb at different locations and it will not connect to the internet and will not set up.
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task.


INPUT: I like these storage bins overall. The color of the lining inside wasn’t expected, it shows a light brown color in the photo but it’s pretty dark. I would have preferred the lining inside to match the outside, tan or grey. Other than that they are cute and look as pictured.
OUTPUT: neutral

INPUT: Thin curtains that are only good for an accent. 56" wide is if you can stretch to maximum. Minimal light and noise reduction. NOT WORTH THE PRICE!!!
OUTPUT: negative

INPUT: The dress looked nothing like the picture! It was short, tight and cheap looking and fitting!
OUTPUT: negative

INPUT: What a really great set of acrylics. My daughter has been painting with them since they came in. The colors come in a wide range of vibrant colors that have a smooth consistency. These paints are packed in aluminum tubes which allows the paint to not dry or crack over time.
OUTPUT: positive

INPUT: Seriously the fluffiest towels! The color is beautiful, exactly as pictured, and they are bigger than I expected. Plus, I spent the same amount of money for these that I would have on the "premium" (non-organic) towels from Wal-Mart. You can't go wrong.
OUTPUT: positive

INPUT: Looks good. Clasp some times does not lock completely and the watch falls off. One time it fell off and the back cover popped off. I do get lots of compliments of color combination.
OUTPUT: neutral

INPUT: Lots of lines, not easy to color. Definitely not for kids or elderly .
OUTPUT: neutral

INPUT: It’s a nice looking piece of furniture when assembled, but assembly was difficult. Some of the letter markings were incorrectly marked so I had to try and figure out on my own The screws they supplied to attach the floor and side panels all cracked. I had to go out and purchase corner brackets to make sure they stayed together. Also the glass panel doors are out of line and don’t match evenly. This alignment prevents one of the doors from staying closed as the magnet to keep the door closed is out of line. Still haven’t figured out to align them.
OUTPUT: neutral

INPUT: I ordered green but was sent grey. Bought it to secure outside plants/shrubs to wooden poles. Wrong color but I'll make it work.
OUTPUT: neutral

INPUT: Good Quality pendant and necklace, but gems are a little lacking in color.
OUTPUT: neutral

INPUT: Ultimately I love the look of the curtains, they are beautiful and provide enough light blocking for the room we're using them in. However, they are not the color pictured. They were only blue and white. I wish that they were the ones that I thought that I had ordered, however, we will keep them because they are still beautiful.
OUTPUT:


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task.


INPUT: Excellent read!! I absolutely loved the book!! I’ve adopted 4 Siamese cats from Siri over the years and everyone of them were absolute loves. Once you start to read this book, it’s hard to put down. Funny, witty and very entertaining!! Siri has gone above and beyond in her efforts to rescue cats (mainly Siamese)!!
OUTPUT: positive

INPUT: Love it! As with all Tree to Tub Products, I’ve incredibly happy with this toner.
OUTPUT: positive

INPUT: The book is fabulous, but not in the condition i was lead to believe it was in. I thought i was buying a good used copy, what i got is torn cover and some kind of humidity damaged book. I give 5 stars for the book, 2 stars for the condition.
OUTPUT: neutral

INPUT: This makes almost the whole series. Roman Nights will be the last one. Loved them all. Alaskan Nights was awesome. Met my expectations , hot SEAL hero, beautiful & feisty woman. Filled with intrigue, steamy romance & nail biting ending. Have read two other books of yours. Am looking forward to more.
OUTPUT: positive

INPUT: Very informative Halloween Recipes For Kids book. This book is just what I needed with great and delicious recipe ideas. I will make a gift for my mom on her birthday. Thanks, author!
OUTPUT: positive

INPUT: Can't wait for the next book to be published.
OUTPUT: positive

INPUT: God loved them they were hot together like he said his half of a whole his Ying to his yang I loved everything about this book I hope X and Raven stay together and get only stronger together one isn’t the other without the other they need each other loved this book it is dark but smoking
OUTPUT: positive

INPUT: The book is very informative, with great tips and tricks about how to travel as well as what the locations are about which is both it's good and bad aspect. It gives so much interesting context, it may be overly insightful. For the person who must know everything, this is great. For the person who has no idea. Googling will suffice.
OUTPUT: neutral

INPUT: She loved very much as a birthday gift and also said it will come in handy for all kinds of outings.
OUTPUT: positive

INPUT: I did a lot of thinking as I read this book. I felt as though I could really picture what the main character was going through. The author did a great job describing the situations and events. I really rooted for the main character and felt her struggles. It seems as though she had to over come a lot to once again over come a lot. She had a group of interesting characters both supporting her and also ones who were against her. Not a plot to be predicted. I highly recommend this book. It grabbed my attention from the first page and had me thinking about it long after. I look forward to reading the author's next book.
OUTPUT: positive

INPUT: This book was so amazing!! WOW!! This is my favorite book that I have read in such a long time. It is a great summer read and it has made me wish that I could be a Meade Creamery girl myself!! Siobhan is an awesome writer and I can’t wait to read more from her.
OUTPUT:


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task.


INPUT: The clear backing lacks the stickiness to keep the letters adhered until you’re finished weeding! It’s so frustrating to have to keep up with a bunch of letters and pieces that have curled and fell off the paper! It requires additional work to make sure that they’re aligned properly and being applied on the right side, which was an issue for me several times! I purchased 3 packs of this and while it’s okay for larger designs, it sucks for lettering or anything intricate 😏 Possibly it’s old and dried out, but in any event, I will not be buying from this vendor again and suggest that you don’t either!
OUTPUT: negative

INPUT: This was very easy to use and the cookies turned out great for the Boy Scout Ceremony!
OUTPUT: positive

INPUT: I opened a bottle of this smart water and took a large drink, it had a very strong disgusting taste (swamp water). I looked into the bottle and found many small particles were floating in the water... a few brown specs and some translucent white. I am completely freaked out and have contacted Coca-Cola, the product manufacture.
OUTPUT: negative

INPUT: Does not work mixed this with process solution and 000 and nothing. Looked exactly the same as i first put it on.
OUTPUT: negative

INPUT: This product exceeded my expectations. I am not good about cleaning my make up brushes. In fact when I received this cleaner it had been months since I last cleaned them. So I figured at best they should be a little better off. It was better than that! My brushes are like new! A couple I needed to clean two times, but considering how much build up on them there was, was completely warranted. I’m so excited that I discovered this product as I finally have a reason to buy nicer brushes! Clean up was easy!
OUTPUT: positive

INPUT: The graphics were not centered and placed more towards the handle than what the Amazon image shows. Only the person drinking can see the graphics. I will be returning the item.
OUTPUT: negative

INPUT: I love how it's made of a strechy material and a light shirt. So cute.
OUTPUT: positive

INPUT: Smudges easily and collects in corners of eyes throughout the day. Goes on smooth and rich without clumping.
OUTPUT: neutral

INPUT: This is literally just a cardstock. Not a canvas and needs to be framed to display. Not a good price considering all it is.
OUTPUT: neutral

INPUT: Absolutely terrible. I ordered these expecting a quality product for 10 dollars. They were shipped in an envelope inside of another envelope all just banging against each other while on their way to me from the seller. 3 of them are broken internally, they make a rattle noise as the ones that work do not. I will be requesting a refund for these and filing a complaint with Amazon. Don't purchase unless you like to buy broken/damaged goods. Completely worthless.
OUTPUT: negative

INPUT: I followed the instructions but the chalk goes on gritty and chunky, and looks nothing like the photos. A giant waste.
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task.


INPUT: My dog loves this toy, I haven't seen hear more thrill with any other toy, for the first three days, which is how long the squeaker lasted. She is not a heavy chewer, and in one of her "victory walks" after retrieving the ball, the squeaker was already gone. Apart from that it is my best investment
OUTPUT: neutral

INPUT: I have three of these linked together. As many of the other reviews said, the legs are weak and prone to breakage even with careful use. It is best to provide some other means of support and not use the legs. Also the gaskets at the fittings do not seal well. I used RTV silicone sealant when assembling the water fittings to stop the leakage. These units are doing a good job heating my pool.
OUTPUT: neutral

INPUT: These are great for SO many things. Originally I had them in my drink at a club but then later bought them for my wedding center pieces. The light stays on for weeks but becomes dim after 3 or 4 days. We had a great time leaving the extra ones around the party and will use the extra ones for fun.
OUTPUT: positive

INPUT: Looking at orher reviews the tail was supposed to be obscenely long -- it was actually the perfect size but im not sure if thats intentional. The waist strap fits perfectly-- but again, need to list that my waist is fairly wide and it sat on my hips. Im unsure about the life of the strap. To the actual quality the fur seems of a fair (not great but not terrible quality but the tail isnt fully stuffed.) Apparently theres supposed to be a wire to pose the tail. There is none in mine, which is fine cause again, mine came up shorter than others. Im only rating 3 stars because of some unintentional good things.
OUTPUT: neutral

INPUT: Not super durable. The bag holds up okay but the drawstrings sometimes tear if the bag gets past a couple lbs.
OUTPUT: neutral

INPUT: I hate to give this product one star when it probably deserves 5. My dog has chronic itchy skin and I had high hopes that this product would be the answer to his skin issues. I'll never know because he won't eat them. At first I gave them to him as a treat. He sniffed it and walked away. I crumbled just one up in his food but he was onto me and wouldn't touch it. So, sadly, the search continues.
OUTPUT: negative

INPUT: My cats went CRAZY over this!
OUTPUT: positive

INPUT: Smell doesn't last as long as I would like. When first opened, it smells great!
OUTPUT: neutral

INPUT: Quality made from a family business. Sometimes a challenge to move around due to the chew toys hanging off but gives our puppy something to knaw on throughout the night. 5 month update: Our dog doesn't destroy many toys but since he truly loves this one he has ripped off the head, the tail rope, torn a few corner rope rings, put teeth marks in the internal foam and now ripped the underside of the cover. I'm giving this 4 stars still due to the simple fact that he LOVES this thing. Purchased right before they sold out, maybe the new model is more durable. Update with new model: The newer model has some areas where design has decreased in quality. The "tail" rope is not attached nearly as well as the first one. However, so far nothing has been ripped off of it in the 3 weeks since we have received it. He still loves it though!
OUTPUT: neutral

INPUT: The 8 year old nephew said he wanted this for his birthday. I felt it was a bit much for a toy but he caught me on a good day. Come to find out it's a fragile collectible so the nephew lost all the small parts the moment he opened it. I guess it's adequate for collectors that want detail on such a small figurine.
OUTPUT: neutral

INPUT: I can not tell you how many times I have bought one of these. My dogs are obsessed with them! The legs don’t last long but the rest of it does, probably one of the longer lasting toys they have had.
OUTPUT:


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task.


INPUT: Absolutely worthless! Adhesive does not stick!
OUTPUT: negative

INPUT: Horrible after taste. I can imagine "Pine Sol Cleaning liquid" tasting like this. Very strange. It's a NO for me.
OUTPUT: negative

INPUT: Easy to clean as long as you clean it directly after using of course. Works great. Very happy
OUTPUT: positive

INPUT: So far my daughter loves it. She uses it for school backpack. As far as durable, we just got it, so we will have to see.
OUTPUT: positive

INPUT: Clumpy, creases on my lips, patchy, all in all not worth it. Have to scrub my lips nearly off with makeup remover to get it all off.
OUTPUT: negative

INPUT: The teapot came with many visible scratches on it. After repeated efforts to contact the seller, they have simply ignored requests to replace or refund money.
OUTPUT: negative

INPUT: Solid performer until the last quart of oil was being drawn out, then it started to spray oil out of the top.
OUTPUT: neutral

INPUT: I dislike this product it didnt hold water came smash in a bag and i just thow it in the trash
OUTPUT: negative

INPUT: Beautifully crafted. No problem removing cake from pan and the cakes look very nice
OUTPUT: positive

INPUT: It leaves white residue all over dishes! Gross!
OUTPUT: negative

INPUT: Very sticky and is messy! Make sure you wipe the lid and top really good or you will struggle to get it open the next time you use it!
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task.


INPUT: Im not sure if its just this sellers stock of this product or what but the first order was no good, each bottle had mold and clumps in the bottle and usually companies will put a couple of metal beads in a bottle to aid in the mixing but these had a rock in it... like a rock off the ground. I decided to replace the item, same seller, and once again they were all clumpy and gross... I attached a photo. I wouldnt buy these, at least not from this seller.
OUTPUT: negative

INPUT: Too stiff, barely zips, and is very bulky
OUTPUT: negative

INPUT: Can’t get ice all the way around the bowl. Only on the bottom, so it didn’t keep my food as cold as I would have liked.
OUTPUT: neutral

INPUT: Awkward shape, does not fit all butter sticks
OUTPUT: neutral

INPUT: I REALLY WANTED TO LOVE THIS BUT I DON'T. THE SMELL IS NOT STRONG AT ALL NO MATTER HOW MUCH OF IT ADD.
OUTPUT: negative

INPUT: understated, but they did not look good on my overstated face.
OUTPUT: neutral

INPUT: Clumpy, creases on my lips, patchy, all in all not worth it. Have to scrub my lips nearly off with makeup remover to get it all off.
OUTPUT: negative

INPUT: my problem with the product is the fit. I have a large head and it is too tight everywhere and the neck just doesnt feel right. I want to pull it down but then my nose has no room. I can't use it because of the poor fit.
OUTPUT: negative

INPUT: My dog ,a super hyper Yorkie, wouldn't eat these. Didn't like the smell of them and probably didn't like the taste. I did manage to get them down him for 3 days to see if it would help him . The process of getting them down him was traumatic for him and me. They did not seem to have any effect on him one way or another , other than the fact that he didn't like them and didn't want to eat them. I ended up throwing them away. Money down the drain. Sorry, I can't recommend them.
OUTPUT: negative

INPUT: Too big and awkward for your counter
OUTPUT: negative

INPUT: NOT ENOUGH CHEESE PUFFS
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task.


INPUT: Quality product. I just wish there were choices for the cover, it's hideous.
OUTPUT: neutral

INPUT: I never should've ordered this for my front porch steps. It had NO Adhesion and was a BIG disappointment.
OUTPUT: negative

INPUT: Stop using Amazon Delivery Drivers, they are incompetent and continually damage packages
OUTPUT: negative

INPUT: Very poorly packaged. The glasses banged each other. Should have been bubble wrapped. So bummed that I can’t use these for a party tonight!
OUTPUT: negative

INPUT: I dislike this product it didnt hold water came smash in a bag and i just thow it in the trash
OUTPUT: negative

INPUT: So far my daughter loves it. She uses it for school backpack. As far as durable, we just got it, so we will have to see.
OUTPUT: positive

INPUT: Received this file box last night, and begin to put my documents in as soon as I received it. It is very good for me as my husband and I get a lot paperwork to save. The colorful tags make it easier to find what I want. The material is strong. I finally get something to help with the messy drawer! Love this product! I believe I will buy another one when this one is full!
OUTPUT: positive

INPUT: The clear backing lacks the stickiness to keep the letters adhered until you’re finished weeding! It’s so frustrating to have to keep up with a bunch of letters and pieces that have curled and fell off the paper! It requires additional work to make sure that they’re aligned properly and being applied on the right side, which was an issue for me several times! I purchased 3 packs of this and while it’s okay for larger designs, it sucks for lettering or anything intricate 😏 Possibly it’s old and dried out, but in any event, I will not be buying from this vendor again and suggest that you don’t either!
OUTPUT: negative

INPUT: Ordered this for a Santa present and Christmas Eve noticed it came broken!
OUTPUT: negative

INPUT: Need better packaging. Rose just wiggles around in the box. Bouncing and damaging.
OUTPUT: neutral

INPUT: The plastic wrap covering the address section falls out easily. Not high quality, or long lasting. Got the job done for the trip.
OUTPUT:


MODEL OUTPUT

 negative


PARSE RESULT

 ['negative']


PROMPT INPUT

  I need you to help me with a text classification task.


INPUT: these were ok, but to big for the craft I needed them for. Maybe find something to use them on.
OUTPUT: neutral

INPUT: What a really great set of acrylics. My daughter has been painting with them since they came in. The colors come in a wide range of vibrant colors that have a smooth consistency. These paints are packed in aluminum tubes which allows the paint to not dry or crack over time.
OUTPUT: positive

INPUT: They’re cute and work well for my kids. Price is definitely great for kids sheets.
OUTPUT: positive

INPUT: Loved the dress fitted like a glove nice material and it feels great
OUTPUT: positive

INPUT: Absolutely terrible. I ordered these expecting a quality product for 10 dollars. They were shipped in an envelope inside of another envelope all just banging against each other while on their way to me from the seller. 3 of them are broken internally, they make a rattle noise as the ones that work do not. I will be requesting a refund for these and filing a complaint with Amazon. Don't purchase unless you like to buy broken/damaged goods. Completely worthless.
OUTPUT: negative

INPUT: I like these storage bins overall. The color of the lining inside wasn’t expected, it shows a light brown color in the photo but it’s pretty dark. I would have preferred the lining inside to match the outside, tan or grey. Other than that they are cute and look as pictured.
OUTPUT: neutral

INPUT: Ordered these for a friend and he loved them!
OUTPUT: positive

INPUT: Good Quality pendant and necklace, but gems are a little lacking in color.
OUTPUT: neutral

INPUT: These are awesome! I just used them on my 12 ft Christmas tree so I could get it out the door. So easy to use that I’m going to buy another pair.
OUTPUT: positive

INPUT: I would love to give this product 5 star but unfortunately it just doesn’t cut due to quality. I bought them only (and only) for my toddlers snacks. And for that purpose they work great. I would probably use them in other situations as well if they were all the same. And yes I understand, if they are hand carved from one piece of wood, there could be slight difference, but that’s where product quality control comes in. I guess they just didn’t want any faulty products and decided to sell them all no matter what.
OUTPUT: neutral

INPUT: They were beautiful and worked great for the agape items I needed them for.
OUTPUT:


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task.


INPUT: Fits great kinda expensive but it’s good quality
OUTPUT: positive

INPUT: Quality is just okay. Magnet on the back is strong and it's nice its detachable but the case around the phone isn't very protective and very flimsy. You get what you pay for.
OUTPUT: neutral

INPUT: The dress fits perfect! It’s a tad too long but not enough to bother with the hassle of getting it hemmed. The material is extremely comfortable and I love the pockets! I WILL be ordering a couple more in different colors.
OUTPUT: positive

INPUT: Great quality but too wide to fit BBQ Galore Grand Turbo 4 burner with 2 searing bars.
OUTPUT: positive

INPUT: The product fits fine and looks good. turn signal and heated mirror work. Unfortunately, the mirror vibrates on rough roads and rattles going over bumps. Plan to return it for a replacement.
OUTPUT: negative

INPUT: Perfect, came with everything needed. God quality and fit perfectly. Much less then original brand.
OUTPUT: positive

INPUT: Quality product. I just wish there were choices for the cover, it's hideous.
OUTPUT: neutral

INPUT: I bought these for a replacement for the original band that broke. Fits perfectly with no issues.
OUTPUT: positive

INPUT: Bought this Feb 2019. Its already wore down and in need of replacement. I dont recommend one purchase this unless its jus for looks.
OUTPUT: negative

INPUT: spacious , love it and get many compliments
OUTPUT: positive

INPUT: It fits nice, but I'm not sure about the quality, at the end of the day you get what you pay for.
OUTPUT:


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task.


INPUT: This shirt is not long as the picture indicates. It's just below waist length. Disappointed b/c I am 5'10 and wanted to wear with leggings.
OUTPUT: negative

INPUT: They are so comfortable that I don't even know I am wearing them.
OUTPUT: positive

INPUT: I bought these for under dresses and they are perfect for that. I did size up to a large instead of a medium because they run small. They hit the knees on me but that’s because I’m 4’11”
OUTPUT: positive

INPUT: So cute! And fit my son perfect so I’m not sure about an adult but probably would stretch.
OUTPUT: positive

INPUT: Clasps broke off after having for only a few months 😢
OUTPUT: negative

INPUT: Fantastic belt ,love it . This is my second one , the first one was a little small but this one is perfect. I suggest you order one size bigger than your waist size.
OUTPUT: negative

INPUT: I ordered two pairs of these shorts and was sent completely wrong sizes. I have both pairs same item ordered and the shorts are completely different sizes but are labeled the same size. One pair is 4 inches longer than the other.
OUTPUT: negative

INPUT: A bit taller than expected. I’m 5’11 & use these at the shortest adjustment. Would be nice to shorten for going up hill. They do extend for going down hill.
OUTPUT: neutral

INPUT: The dress fits perfect! It’s a tad too long but not enough to bother with the hassle of getting it hemmed. The material is extremely comfortable and I love the pockets! I WILL be ordering a couple more in different colors.
OUTPUT: positive

INPUT: Looking at orher reviews the tail was supposed to be obscenely long -- it was actually the perfect size but im not sure if thats intentional. The waist strap fits perfectly-- but again, need to list that my waist is fairly wide and it sat on my hips. Im unsure about the life of the strap. To the actual quality the fur seems of a fair (not great but not terrible quality but the tail isnt fully stuffed.) Apparently theres supposed to be a wire to pose the tail. There is none in mine, which is fine cause again, mine came up shorter than others. Im only rating 3 stars because of some unintentional good things.
OUTPUT: neutral

INPUT: These are so sexy and perfect for short girls. I’m 5’1 and they aren’t crazy long!! BUT the waistband is really freaking tight. I let my friend wear them and she somehow got the waistband extremely twisted, it took me 3 days to fix it. Yikes. But still cute
OUTPUT:


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task.


INPUT: I love how the waist doesn't have an elastic band in them. I have a bad back and tight waist bands always make my back feel worse.These feel decent...although If they could make them just one size larger..and not just offer plus size....that would be even better for my back.
OUTPUT: positive

INPUT: This is even sexier than the pic! It has good control and is smooth under all my clothes! It's also comfortable and I'm able to easily wear it all day, it doesn't roll down either!
OUTPUT: positive

INPUT: I bought these for under dresses and they are perfect for that. I did size up to a large instead of a medium because they run small. They hit the knees on me but that’s because I’m 4’11”
OUTPUT: positive

INPUT: They work really well for heartburn and stomach upset. But taking a couple stars off as capsules are poor quality and break. I lost over 30 in a bottle of 120 as they leaked. Powder ended up bottom of bottle.
OUTPUT: neutral

INPUT: This shirt is not long as the picture indicates. It's just below waist length. Disappointed b/c I am 5'10 and wanted to wear with leggings.
OUTPUT: negative

INPUT: It was recommended by a friend and found that things are really good to wear and I like them very much.
OUTPUT: positive

INPUT: Fantastic belt ,love it . This is my second one , the first one was a little small but this one is perfect. I suggest you order one size bigger than your waist size.
OUTPUT: negative

INPUT: Terrific fabric and fit through belly, hips and thighs, but apparently these should be worn with 3" heels, which is ridiculous for exercise/loungewear. (Yes I'm being sarcastic.) Seriously: these were at least 4" too long to be comfortable (let alone safe to walk in). Back they go, and I won't try again.
OUTPUT: neutral

INPUT: I really love this product. I love how big it is compare to others diaper changing pads. I love the extra pockets and on top of that you get a free insulated bottle bag. All of that for an amazing price.
OUTPUT: positive

INPUT: Its good for the loose skin postpartum. I'm gonna use it for another waist trainer. Not tight enough.
OUTPUT: neutral

INPUT: I love these Capris so much that I bought 4 pairs. The high waist helps with tummy control where I have a lot around the waist but skinnier legs and these are perfect. Sometimes with high waist products they tend to roll but these do not and they make your ass look amazing. Highly recommended.
OUTPUT:


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']


PROMPT INPUT

  I need you to help me with a text classification task.


INPUT: Easy to install, fits perfectly, and does a good job.
OUTPUT: positive

INPUT: Easy to peel and stick. They don't fall off.
OUTPUT: positive

INPUT: Beautifully crafted. No problem removing cake from pan and the cakes look very nice
OUTPUT: positive

INPUT: Love this coverup! It’s super thin and very boho!! Always getting compliments on it!
OUTPUT: positive

INPUT: Bought as gifts and me. we all love how this really cleans our electronics and my glasses
OUTPUT: positive

INPUT: I like this case a lot but it broke on me 3 times lol it's not very durable but it's cute! the bumper and clear part will snap apart
OUTPUT: neutral

INPUT: I didn’t like that it was made out of plastic and that you had to put it together yourself.
OUTPUT: negative

INPUT: Easy to clean. Great length for my toddler!
OUTPUT: positive

INPUT: I like this product, make me feel comfortable. I can use it convenient. The price is very cheap.
OUTPUT: positive

INPUT: Terrible product, wouldn't stick tok edges of the phone
OUTPUT: negative

INPUT: Great product. Good look. JUST a little tough to remove.
OUTPUT:


MODEL OUTPUT

 positive


PARSE RESULT

 ['positive']
[32]:
<Axes: >
../_images/notebooks_04_test_flant5_classification_prompts_34_3.png
[33]:
sns.heatmap(confusion_matrix(test_targets, pred_targets), annot=True, cmap="Blues")
[33]:
<Axes: >
../_images/notebooks_04_test_flant5_classification_prompts_35_1.png

4. Data Preparation - SP - Build sentiment dataset.#

[60]:
import polars as pl

data = pl.read_parquet("../data/amazon_reviews_sp/amazon_reviews_multi-test.parquet")
data.head()

sql = pl.SQLContext()
sql.register("data", data)

sentiment_data = (
    sql.execute("""
    SELECT
        review_body as REVIEW,
        CASE
            WHEN stars=1 THEN 'negativo'
            WHEN stars=3 THEN 'neutro'
            WHEN stars=5 THEN 'positivo'
            ELSE null
        END AS TARGET,
    FROM data
    WHERE stars!=2 AND stars!=4;
    """)
    .collect()
    .sample(fraction=1.0, shuffle=True, seed=0)
)

train_reviews = sentiment_data.head(500).select("REVIEW").to_series().to_list()
train_targets = sentiment_data.head(500).select("TARGET").to_series().to_list()

test_reviews = sentiment_data.tail(200).select("REVIEW").to_series().to_list()
test_targets = sentiment_data.tail(200).select("TARGET").to_series().to_list()

sentiment_data.head()
[60]:
shape: (5, 2)
REVIEWTARGET
strstr
"El filtro de d…"positivo"
"Un poquito esc…"positivo"
"Para qué decir…"negativo"
"Mi hija esta e…"positivo"
"Se podría mejo…"neutro"

5 SP - Sin Entrenamiento#

Prueba 1#

[61]:
prompt = """
TEMPLATE:
    "Necesito que me ayudes en una tarea de clasificación de texto.
    {__PROMPT_DOMAIN__}
    {__PROMPT_LABELS__}

    {__CHAIN_THOUGHT__}
    {__ANSWER_FORMAT__}"


PROMPT_DOMAIN:
    "Los textos que vas procesar del ambito de {__DOMAIN__}."


PROMPT_LABELS:
    "Quiero que me clasifiques los textos una de las siguientes categorías:
    {__LABELS__}."


PROMPT_DETAIL:
    ""


CHAIN_THOUGHT:
    "Por favor argumenta tu respuesta paso a paso, explica por qué crees que
    está justificada tu elección final, y asegúrate de que acabas tu
    explicación con el nombre de la clase que has escogido como la
    correcta, en minúscula y sin puntuación."


ANSWER_FORMAT:
    "En tu respuesta incluye sólo el nombre de la clase, como una única
    palabra, en minúscula, sin puntuación, y sin añadir ninguna otra
    afirmación o palabra."
"""
[62]:
import seaborn as sns
from sklearn.metrics import confusion_matrix
from promptmeteo import DocumentClassifier

model = DocumentClassifier(
    language="es",
    model_name="google/flan-t5-small",
    model_provider_name="hf_pipeline",
    prompt_domain="opiniones de productos",
    prompt_labels=["positivo", "negativo", "neutro"],
    selector_k=0,
    verbose=True,
)

model.task.prompt.read_prompt(prompt)

pred_targets = model.predict(test_reviews)
/opt/conda/lib/python3.10/site-packages/transformers/generation/utils.py:1270: UserWarning: You have modified the pretrained model configuration to control generation. This is a deprecated strategy to control generation and will be removed soon, in a future version. Please use a generation configuration file (see https://huggingface.co/docs/transformers/main_classes/text_generation )
  warnings.warn(


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

Texto de entrada: Fue un regalo para mi madre que usa la moto a diario y esta encantada con ellas, además de ser bastante resistentes, tienen más de un año y están muy bien.


MODEL OUTPUT

 I was a gift for my mother who used the bike to ride and this encantada with them, more than once, has a year and is very well.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

Texto de entrada: Son dos pantallas protectoras bastante fáciles de instalar. Vienen en una cajita muy elegante con un montón de complementos e instrucciones sencillas para que puedas instalarlas con suma facilidad. No se ensucian mucho y aguantan bastante.


MODEL OUTPUT

 They are two pantallas protectoras bastante fáciles de instalar. Vienen en una cajita muy elegante con un montón de complementos e instrucciones sopilas para que puedas instalar


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

Texto de entrada: No sé si aportará todas las propiedades que anuncia, pero como ducha aumenta la presión y las tres variantes de chorro son agradables. Y refresca. Satisfecho.


MODEL OUTPUT

 Text de entrada: No sé si aportará todas las propiedades que anuncia, pero como ducha aumentará la presión y las tres variantes de chorro son a


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

Texto de entrada: No tiene mucha potencia


MODEL OUTPUT

 No need to help me in a clasificación de texto. The text that vas procesar del ambito de opiniones de productos. I want to argue that I clasifiques the text one of the following categoras:


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

Texto de entrada: No trae ruedas, no de puede llegar, la tela de mancha fácilmente


MODEL OUTPUT

 Text of entry: No trae ruedas, no tegar, the tela de mancha fácilmente


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

Texto de entrada: El juego estar genial, no importa tanto el hecho de que sea de segunda mano, pero el problema es que me llegó incompleto, sin el cd de banda sonora ni las pegatinas.


MODEL OUTPUT

 Game title: The game is genial, no importa tanto el hecho de que está de segunda mano, pero el problema es que me llegó incompleto, sin el cd de banda sonor


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

Texto de entrada: Aún no he recibido el artículo


MODEL OUTPUT

 No he recibido el artculo en el lugar:


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

Texto de entrada: Estética buena, pero de momento siguen atacando los bichos. Si fuera sin cable sería mejor para llevar cerca de las zonas de descanso


MODEL OUTPUT

 Entrada: Estética buena, pero de momento siguen atacando los bichos. Si fuera sin cable sera mejor para llevar cerca de las zonas de descanso


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

Texto de entrada: Normal. Pensaba ke seria mas gordita. Pero no, no es lo ke buscaba pero me apañare por ahora. Un 6 justito


MODEL OUTPUT

 A 6 justito


PARSE RESULT

 ['']
Token indices sequence length is longer than the specified maximum sequence length for this model (726 > 512). Running this sequence through the model will result in indexing errors


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

Texto de entrada: A alguien le ha llegado? A mí me mandaron un mensaje k me llega el lunes pero.....he visto k desde k lo pedí han modificado la descripción y creo k si llega no será el britax b emotion 4 k llevo pidiendo desde hace meses.


MODEL OUTPUT

 Por qué tuvieron a alguien le ha llegado? A m me mandaron un mensaje k me llega el lunes pero.....he visto k desde k lo


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

Texto de entrada: No sé quién puede estar interesado en semejante producto. Casi ninguna de las funciones funcionan. Lo que funciona es la calculadora,el reproductor de música, lo de contar los pasos y poco más. No sirve para nada poder mandar SMS, que cuestan dinero y nadie utiliza casi para nada, si no puedes utilizar el whatsapp, que es lo que todos tenemos y necesitamos. Ni whatsapp ni facebook, ni nada se puede usar. El reloj necesitaría otra tarjeta SIM para hacer llamadas sin conectarse al teléfono por bluetooth pero eso significa que te cobrarán unos cuatro euros más en tu operador de telefonia cada mes. El bluetooth es malísimo y no llega ni a unos centímetros, con lo cual no me llegaba ni de la muñeca hasta los cascos de las orejas. Para correr y escuchar música y mirar la hora...te durará media hora y eso con suerte y si tienes la suerte de que te llegue la señal a tus cascos desde el brazo. Muy muy muy decepcionada con este producto. Devuelto al día siguiente. Una tomadura de pelo.


MODEL OUTPUT

 A tamadura de pelo.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

Texto de entrada: No sirve para vitrocerámicas de inducción y la compramos porque el vendedor en el anuncio asegura que si


MODEL OUTPUT

 entrada: No sirve para vitrocerámicas de induction and compramos because the vendedor in the anuncio asegura que si si es aceptable para vitrocerámicas de induction y comp


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

Texto de entrada: No es lo que esperaba no luce los metros que dice el vendedor


MODEL OUTPUT

 Text de entrada: No es lo que esperaba no luce los metros que dice el vendedor.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

Texto de entrada: Tengo todas las perchas iguales y este pedido me ha venido en un color mas sucio y verdoso que el marfil normal. No es color marfil como ponen en la descripcion. Y el terciopelo es mas gordo que las otras de color marfil que se ven de mejor calidad.


MODEL OUTPUT

 I have a lot of colors and this pedido has made me a very scenario. I have a lot of colors and this pedido has made me a very scenario. I have a lot of colors and this pedido has made me


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

Texto de entrada: Lo pasamos muy bien jugando a tirar bloques de hielo. Lo único que pongo en contra son los materiales. Son de poca calidad pero cumplen su función. No se nos ha roto


MODEL OUTPUT

 No hay roto.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

Texto de entrada: Muy buena compra. Envió rápido como siempre y el neumático lo que buscaba. Para los que quieran balón grande tendrán que cojer la medida 2.25


MODEL OUTPUT

 entrada: Good luck. I am quick and easy. I will always and the Council will help me. For those who want to work the average 2.25 a day will be able to work the average 2.25 a day.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

Texto de entrada: Perfecto para personas mayores


MODEL OUTPUT

 Enrada: Perfect for people mayores


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

Texto de entrada: Una pena que la duración de la batería sea escasa


MODEL OUTPUT

 A pena that the duration of the batera is escasa


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

Texto de entrada: Encaja perfectamente y cubre todo el teléfono, no se desliza y es muy limpia, la única pega es que el plástico es muy duro y los botones de los laterales están cubiertos y tienes que hacer mucha fuerza para pulsarlos. Otra cosa que no me acaba de convencer es el dibujo interior que debería ser completamente liso.


MODEL OUTPUT

 Other things I do not agree with are the interior dibujo that should be completely liso.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

Texto de entrada: compré los originales bmw y me costaron 50 euros, estos son identicos a los originales, limpia bien medidas perfectas facil d instalar, durabilidad no lo se llevan poco tiempo


MODEL OUTPUT

 entrada: compré los originales bmw y me costaron 50 euros, these are identiques to los originales, cleanly bien medidas perfectas facil da, durabilidad no lo se llevan poco tiempo


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

Texto de entrada: Es bastante bonita y se ajusta bastante bien al tlf muy muy recomendable


MODEL OUTPUT

 It is very good and it is easy to adjust to a tlf.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

Texto de entrada: pero este me salió malo...


MODEL OUTPUT

 Text of entrada: but this me salió malo...


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

Texto de entrada: aunque en el anuncio pone precio final luego al pagar te cobran el transporte.


MODEL OUTPUT

 entrada: o el anuncio pone precio final luego al pagar te cobran el transporte.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

Texto de entrada: Lo compre estando embarazada y la verdad k no sabria decir si funciona o no pk tuve la suerte de no salirme estrias. Aunk tengo amigas k lo usaron y les salieron estrias igual y tampoco es k se las mejorase. No se si lo recomendaria. Lo bueno k huele bien y no mancha la ropa.


MODEL OUTPUT

 I am a pk and I am a pk. I am a pk and I am a pk. I am a pk and I am a pk. I am a pk and I am a pk


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

Texto de entrada: Efecto frío combinado con mentol. Lubrica bastante bien aunque no dura demasiado (base acuosa). Buen lubricante para probar efecto frio con buen sabor :D. Tampoco he probado otros para poder comparar pero calidad-precio buena. 3/5


MODEL OUTPUT




PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

Texto de entrada: No me valen para mí Honda y se vendo como que si


MODEL OUTPUT

 I don't want to buy my Honda, I'll buy it.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

Texto de entrada: Buenas actividades para niño de 4 años


MODEL OUTPUT

 necesito que me ayudes en una tarea de clasificación de texto. The text that vas procesar del ambito de opiniones de productos. Quiero que me clasifiques


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

Texto de entrada: no lo volvería a comprar, no le he encontrado ninguna utilidad, no es lo que esperaba, yo diría que no funciona, quizá sea inutilidad mía pero lo cierto es que no he conseguido utilizarlo, dinero perdido


MODEL OUTPUT

 Text of entrada: no lo volvera a comprar, no lo encontrado ningn utilidad, no lo lo esperaba, yo dira que no funciona, quizá ser inutilidad ma


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

Texto de entrada: Muy buena calidad, despues de hacer la reparacion queda como si fuera original, muy contento.


MODEL OUTPUT

 Entrada: Good quality, after making the reparacion, very content.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

Texto de entrada: El abrigo cumple, es caliente , tiene para las manos, es un buen articulo, por poner pega los hombros sobresalen un poco demás


MODEL OUTPUT

 The abrigo cumpled, es caliente, tiene para las manos, es un buen articulo, por poner pega los hombros sobresalen un poco de más


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

Texto de entrada: Es bonito y el acabado de las tablas está bien (mejor que muchos de IKEA). No ocurre lo mismo con el de las varillas, que se raya con mirarlo y ya venía algo tocado del roce en la caja. El problema es que la varilla donde cuelgan las perchas, si son de metal, con seguridad lo va a desconchar. El montaje normal, al estilo IKEA, con instrucciones claras y herramientas necesarias. Con el uso iremos viendo el agua te de la rosca de los tornillos.


MODEL OUTPUT

 With the use of water, we will be able to savor the agua te de la rosca de los tornillos.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

Texto de entrada: Estoy muy decepcionado con el vendedor ya que el pedido no me llegó a tiempo y no cumplió los plazos de envío y era una cosa que necesitaba urgente. Para colmo me pongo en contacto con el vendedor y no da señales. No recomiendo nada


MODEL OUTPUT

 I am very disappointed with the vendedor because I did not get the time and did not get the full length of the envo and it was a thing I needed urgently. For me I pongo in contact with the vendedor and I do not recommend anything.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

Texto de entrada: lo cogí en el outlet de amazón , me vino lleno de pelusa o pelos , y con la caja de un philips, lo devolví al segundo


MODEL OUTPUT

 entrada: o te en el amazón , y yo vino lleno de pesa o pelos , y con la caja de un philips, o te entraré al


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

Texto de entrada: Producto de buena calidad


MODEL OUTPUT

 Enrada: Product of good quality


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

Texto de entrada: Encaja perfectamente. Vergonzoso la manera en que lo entregan. La caja rota por varios sitios y abierta por los dos lados. Algo impropio de Amazon.


MODEL OUTPUT

 Una escritura de entrada: Encaja perfectamente. Vergonzoso la manera en que entregan. La caja rota por varios sitios y abierta por los dos lados. Una es


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

Texto de entrada: Esta bien el producto sobre todo teniendo en cuenta la relacción calidad/precio. Yo lo uso para hacer arreglillos en casa cuando corto la luz o para zonas oscuras. Para esto esta genial, te libera las manos y puedes trabajar. Realmente vale para mucho mas, ya que tiene 2 intensidades de luz, intermitencias y luz roja atras. Como fallo diré que no me gusta que las pilar recargables no sean de un tamaño estandar. Es decir, son mucho mas grandes que las pilas normales y si algún dia se estropean desconozco si se podrán encontrar facilmente. Espero que duren muchos años. Como se ve en la foto, el producto biene muy completo.


MODEL OUTPUT

 I love this product so much. I love it.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

Texto de entrada: No funcionaba, lo tuve que devolver, no se si era problema de la placa o del mecanismo, la devolución todo correctamente.


MODEL OUTPUT

 Text de entrada: No funcionaba, lo tuve que devolver, no se si era problema de la placa o del mecanismo, la devolución todo correctamente.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

Texto de entrada: Se ve bien el grabado


MODEL OUTPUT

 Enrada: I ve bien el grabado


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

Texto de entrada: No recomiendo su compra... no se parece a la foto... muy mala resolución


MODEL OUTPUT

 Text of entry: No recomiendo su compra... no parece la foto... very mala resolución


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

Texto de entrada: En menos de un mes ya han dejado de funcionar. Primero se descarga la bateria aun sin uso, y ahora es que ni siquiera carga. He solicitado la garantia, y espero que al menos respondan pronto. Me los devuelven supuestamente arreglado el problema pero la realidad es que siguen exactamente igual, sin funcionar. Vuelta a empezar con la garantía


MODEL OUTPUT

 Vuelta a empezar con la garanta


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

Texto de entrada: El papel sigue siendo papel. Actualizado. Perfecto. Y no necesita pilas


MODEL OUTPUT

 Text de entrada: The papel is still papel. Actualizado. Perfect. Y no need pilas


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

Texto de entrada: Funciona perfectamente. Tengo un terreno para regar de unos 80m2, y llega a rodas partes, hasta detras de unos setos


MODEL OUTPUT

 I have a teeming teeming teeming teeming teeming teeming teeming teeming teeming teem


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

Texto de entrada: No me llegó todavía el mueble del salón.. No corresponde los días previstos de envio,y sin saber cuándo llegará .


MODEL OUTPUT

 No he llegó todava el mueble del salón.. No corresponde los das previstos de envio, y sin saber cuándo llegará .


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

Texto de entrada: Tiene poco potencia tienes que darle tres veces al máximo para que seque


MODEL OUTPUT

 There is a lot of potential to get three times the maximum for that


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

Texto de entrada: La zapatilla es muy bonita, su apariencia es buena. La parte interior es bastante floja no se le ve calidad. No la encuentro cómoda, quizás sea mi culpa ya que pedí el número que habitualmente calzo en deportivas y me queda amplio. Lo intenté solucionar con una buena plantilla, pero aun así, me resulta incómodo. Si volviese a comprarlo pediría una talla menos.


MODEL OUTPUT

 If you want to buy a taller one, you can buy a taller one.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

Texto de entrada: Todo correcto y acordé a lo anunciado


MODEL OUTPUT

 To answer your question, explain why you believe that you are justified and that you are clasifically referring to the name of the class that has escogido as the correct, in minscula and sin puntuación. In your answer, include only


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

Texto de entrada: A venido rota. Venia bien envuelta pero al abrirla estaba rota. Y plastico malo.


MODEL OUTPUT

 Por qué es el lugar de abrirla?


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

Texto de entrada: Me las compre para atarla con un hilo a las gafas de proteccion, Porque cuando necesitas los tapones nunca los encuentras, Pero no lo he echo porque me gustan mas las de esponja son mas comodas y aislan mejor.


MODEL OUTPUT

 I am compreso a las aos de proteccion, Porque cuando necesitas los encuentras nunca los encuentras, Pero no lo he echo porque me gustan mas las de espon


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

Texto de entrada: Se rompió la pieza de plástico central donde se enrollan las cuerdas a los tres años. Por lo demás bien


MODEL OUTPUT

 It was rompió la pieza de plástico central donde se enrollan las cuerdas a los tres aos.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

Texto de entrada: Yo le puse unas ventosas más grandes porque lleva no aguantan con juguetes


MODEL OUTPUT

 I will put a lot of shit on the floor because I will not hurt with juguetes.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

Texto de entrada: Es una porqueria de producto! En dos semanas ya estava oxidada y eso que hice el curado de la sarten pero la calidad de este producto es pesima. No recomiendo a nadie


MODEL OUTPUT

 entrada: Es una porqueria de producto! En dos semanas ya estava oxidada y eso que hice el curado de las sarten, pero la calidad de este producto


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

Texto de entrada: Batería externa excelente, pero sus 200 g de peso parece que lleves otro móvil


MODEL OUTPUT

 Entrada: Extraordinary Batera, but its 200 g of peso seems to call for another móvil.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

Texto de entrada: Aunque la mayoría de opiniones positivas que tiene este producto son falsas (solo hay que leerlas todas y mirar nombres y fecha de publicación y la manera que se comentan).... decir que son unos auriculares muy correctos para el precio que tienen. Se echa de menos que los graves sean un poco más "potentes", pero por este precio no se puede pedir más. Ahora solo hace falta que funcionen bastante tiempo.


MODEL OUTPUT

 Now only has to be a false one that works very hard.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

Texto de entrada: Buen cargador. Su forma va perfecta para poner en enchufes dobles al ser estrecho no tapa el enchufe de al lado. Era lo que busca


MODEL OUTPUT

 Entrada: Buen cargador. Su forma vas perfecta para poner en enchufes dobles al ser estrecho no tapa el enchufe del lado. Era lo que busca en entrada.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

Texto de entrada: El colchon esta bien, el envío tardo más de dos Semanas en llegar


MODEL OUTPUT

 The envo later, the envo later, the envo later, the envo later, the envo later, the envo later, the envo later, the envo later


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

Texto de entrada: Malísima calidad. Me Llegó el producto dañado con todos los tornillos oxidados y faltando piezas y además la atención con el vendedor nada buena me he tenido que poner en contacto con amazon para que medie pq no vienen por el producto y cuando te dicen vienen no aparecen y no me devuelven mi dinero.


MODEL OUTPUT

 Llegó el producto daado con todos los tornillos oxidados y faltando piezas y además la atención con el vendedor nada buena me he


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

Texto de entrada: El producto me ha llegado sin tapa tal como se ve en la foto, por suerte no está abierto. La valoración es por él estado del envío, no por el producto en sí.


MODEL OUTPUT

 Text de entrada: El producto me ha llegado sin tapa tal como se ve en la foto, por suerte no está abierto. La valoración es por el estado del


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

Texto de entrada: No lo recomiendo. Es de baja calidad. La salida RCA analógica nunca ha funcionado. Si me llego a dar cuenta a tiempo lo hubiera devuelto :-(


MODEL OUTPUT

 RCA text: No lo recomiendo. Es de baja calidad. The RCA analógica nunca ha funcionado. Si llego dar cuenta a la tempo lo hubiera devuelto:-


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

Texto de entrada: Cómodos, antideslizantes, ligeros para trabajar


MODEL OUTPUT

 Entrada: Comfortable, anti-discriminators, ligeros to work for


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

Texto de entrada: Quizá lo compré un poco grande y por eso se me caen Igual que en la foto. Ojo ! Elegir bien la talla


MODEL OUTPUT

 I want to buy a little bit of a big thing and so I go to Igual that I'm in the picture. I'm !


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

Texto de entrada: Una auténtica porquería.


MODEL OUTPUT

 Una auténtica porquera.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

Texto de entrada: Me llegó abierta la caja y faltaba una barritas! Un engaño total


MODEL OUTPUT

 Text de entrada: Me llegó abierta la caja y faltaba una barritas!


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

Texto de entrada: La mesa cumple con lo que necesitaba. Pesa poco, se pliega facil, y es estable para dejar algo fijo en ella. Para estar tecleando o manejando cosas en ella no parece la mesa mas estable del mundo. El material es plastico.


MODEL OUTPUT

 Material es plastic.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

Texto de entrada: Como pata esta bien si tienes adaptador. Calidad buena.


MODEL OUTPUT

 Entrada: As que te ayuda esta bien si te te es adaptador. Calidad buena.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

Texto de entrada: No duran mucho tiempo (6 meses)


MODEL OUTPUT

 Text of entry: No duran much time (6 months)


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

Texto de entrada: Me a llegado rallada los dibujos y de color naranja , no es lo que pone en la descripción ponía de color rosa y llega de otro color .


MODEL OUTPUT

 I am a rallada los dibujos y color naranja , no es lo que pone en la descripción pona de color rosa y llega de color otra color .


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

Texto de entrada: No sé lo que durará, pero eso de poder cortar el celo automaticamente mientras lo pones, es fantástico. La idea es brillante y de momento, funciona muy bien. Para la gente que ponga carteles, supongo que es una herramienta obligatoria. Recomendable 100%


MODEL OUTPUT

 Exceptional 100% recomendable


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

Texto de entrada: después de un mes, imposible conectar con ningún dispositivo....mala compra


MODEL OUTPUT

 Entrada: after a mes, imposible conectar con no dispositivo....mala compra


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

Texto de entrada: Cumple su función, es ligero con gran resistencia. Se pliega hasta ocupar muy poco espacio. Lo recomiendo, por su calidad y precio


MODEL OUTPUT

 entrada: Cumple su función, es ligero con grande resistencia. Se pliega hasta ocupar muy poco espacio.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

Texto de entrada: RECOMENDARÍA EL LIBRO A LOS INTERESADOS EN HISTORIA MEDIEVAL. ES UN LIBRO INTERESANTE Y BIEN ILUSTRADO. EL TAMAÑO ES ADECUADO.


MODEL OUTPUT

 EL TAMAO ES ADECUADO.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

Texto de entrada: Se mueve muy fácilmente y cuando se mueve, se enciede. A nada que lo tocas. No tiene freno


MODEL OUTPUT

 Enrada: Se mueve mueve mueve mueve mueve mueve mueve mueve mueve mueve mueve mueve mueve mueve mueve mueve mueve mueve mueve mue


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

Texto de entrada: Loc compre para un regalo, es perfecto le encantó, es mas grande de lo que me esperaba. No me ha decepcionado los lego siempre son un acierto y son lo que ves en la caja. Me ha gustado mucho


MODEL OUTPUT

 I love the gift, but I have never disappointed. I have always enjoyed the gift, and I have enjoyed it much.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

Texto de entrada: Este era el último libro que le faltaba a mi hermana de la trilogía y por supuesto le encantó, Por lo que recomiendo mucho todos los libros


MODEL OUTPUT

 This was the last book I had read to my sister of the triloga and, in spite of it, I found it to be a great book.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

Texto de entrada: Solo encienden la mitad de los led


MODEL OUTPUT

 Symbol: Only encienden the mitad of the led


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

Texto de entrada: Muy fina, poca protección


MODEL OUTPUT




PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

Texto de entrada: Decepcionada se supone que es universal pero para el carro jane muun no vale no encaja en eñ cabezero porque la tela de saco es rigida y muy estrecha.


MODEL OUTPUT

 Decepcionada se supone que es universal pero per el carro jane muun no vale no encaja no encaja no encaja no encaja no encaja no enca


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

Texto de entrada: Consta como un cartucho vacío, no sirve para nada.


MODEL OUTPUT

 Entrada: Consta como un cartucho vaco, no sirve para nada.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

Texto de entrada: El pantalón destiñe, ha manchado las sábanas de verde en el primer uso


MODEL OUTPUT

 The entrada, has manchad the green sábanas in the first use.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

Texto de entrada: CUMPLE LA MISION PARA MEDIR CUALQUIER ANGULO,.ES ALGO PEQUEÑO TE TIENES QUE AUXILIAR DE UNA REGLA.EL ENVIO FUE RAPIDO Y MUY BIEN EMBALADO.


MODEL OUTPUT

 CUMPLE LA MISION PARA MEDIR CUALQUIER ANGULO,.ES ALGO PEQUEO TE TIENES QUE AUXILIAR DE UNA REGLA.EL ENVIO FUE RAPIDO Y


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

Texto de entrada: Las veo un poco flojas para un perro grande..


MODEL OUTPUT

 Then you can see a little bit of a sand to a big pile.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

Texto de entrada: Lo malo es que me hubiese gustado que el rollo fuera mas largo. Para poder aprovecharlo mejor. Pero el material es de buena calidad.


MODEL OUTPUT

 Enrada: La malo es que me hubiese gustado que la rolla fuera mas largo. Para poder aprovecharlo mejor. Pero el material es de buena calidad.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

Texto de entrada: Hacen perfectamente su función. La luz delantera ilumina muchísimo incluso en su nivel mas bajo, y la trasera se ve perfectamente a muchísima distancia. La bateria para la luz delantera tiene mucha autonomia. El montaje es muy sencillo. Recomendo para todo el mundo. Gracias.


MODEL OUTPUT

 Thank you.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

Texto de entrada: No e tenido bombillas de estas pero son una pasada, Pones una película y le cambias el color y esta súper bien, la app tiene varias modalidades. Modo lectura ,desayuno disco etc...


MODEL OUTPUT

 Text of entry: No es te te bombillas de estas pero son un pasada, Pones una pelcula y le cambias el color y esta sper bien, la app


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

Texto de entrada: Practico, parece que no se debe oxidar con el agua, se engancha como si fuera una percha a un grifo o similar, pero la ventosa inferior no pega con la fuerza necesaria y se desplaza. Ojo si el enganche es prominente los estantes quedarán muy separados de la pared y se caerán por detrás


MODEL OUTPUT

 Practico, parece que no se debe oxidar con el agua, se engancha como si fuera una percha a un grifo o similar, pero la ventosa inferior no pega con la fu


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

Texto de entrada: Mejor de lo que me esperaba un precio increible muy contento


MODEL OUTPUT

 Enrada: Better of what I expected a very contentious price


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

Texto de entrada: El producto exacto y sin una queja. En cambio el transporte TARDE MAL Y NUNCA. No sólo no entregaron el paquete a tiempo dos días más tarde de lo acordado si no que además tuve que desplazarme yo a buscarlo a la central Cuando yo estoy pagando por un servicio puerta a puerta. Correos express MUY MAL. Y NO ES LA PRIMERA VEZ


MODEL OUTPUT

 Y NO ES


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

Texto de entrada: Después de unos meses de uso cambio mi valoración seguido de mi opinión: El dispensador ha dejado de funcionar correctamente, el vendedor sólo me contestó para preguntarme por el número de pedido, una vez se lo dije... no he vuelto a saber nada mas de el, ni ha dado soluciones, ni mucho menos ha intentado buscarlas o averiguar por que falla. Por otro lado destacar que ha empezado a oxidarse... Raro ya que el anuncio ponía claramente de Acero Inoxidable... ------------------------------------------------------------------------------------------ La tecnología llega a nuestras casas... hace unos meses compré una papelera/basura también con sensor de proximidad y apertura automática. Quede muy contento y me arriesgue con este dispensador de jabón. La principal característica y ventaja es que no "pringas" nada. Puedes tener las manos llenas de jabón o agua y solo con aproximar la mano al sensor el dispensador se activa. Es muy fácil de utilizar, dispone de dos botones, + y - estos sirven para graduar la descarga del dispensador. Pulsando más de 3 segundos el +, podemos encenderlo o apagarlo. La carga se efectúa por la parte superior desde un tapón de media rosca. Destacar que el dispensador utiliza 4 pilas del tipo A++ que no van incluidas en el paquete.


MODEL OUTPUT

 La tecnologa llega a nuestras casas... hace unos meses compré una papelera/basura también con sensor de proximidad y apertura automática. Quede muy


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

Texto de entrada: Muy buena relación calidad-precio , me solucionó el problema sin cables


MODEL OUTPUT

 I am very satisfied with the quality of the text.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

Texto de entrada: Bonita y grande, de tela resistente, pero el cierre está mal conseguido y es incómodo y las tiras son muy endebles, no creo que resistieran un tirón y si llevas peso te molestan


MODEL OUTPUT

 entrada: Bonita y grande, de tela resistente, pero el cierre está mal conseguido y es incómodo y los tiras son muy endebles, ni creo


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

Texto de entrada: el cable no tiene el suficiente peso como para rodar sin que de problemas y se enganche. La forma de enganche del cable a la maneta de forma lateral hace que el rodamiento no sea fluido.


MODEL OUTPUT

 Enrada Text: el cable tiene el suficiente peso como para rodar sin que de problemas y se enganche. La forma de enganche del cable a la maneta de forma lateral hace que


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

Texto de entrada: El vendedor se queda en esta ocasión sin otra crítica positiva como todas las que tiene este producto por culpa de su mala praxis, que te lleguen estos auriculares en su caja rajada, con los precintos de plástico rotos y los auriculares sucios no es un buen comienzo, si a eso le añadimos que cuando vas a probarlos no está el cable de carga USB y que solo funciona el canal izquierdo por Bluetooth pues pasa lo que pasa en esta ocasión, que te llevas un cero patatero tanto en el artículo como en el vendedor.


MODEL OUTPUT

 Text of entrada: The vendedor is queda in this event without a positive crtica as to all the products that have this product by culpa de su mala praxis, that te gusta es estos auriculare


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

Texto de entrada: Funciona muy bien, lo conectas a la toma auxiliar del coche y ya puedes enviar la musica del movil, se empareja muy rapido y sin problemas, yo lo tengo puesto conectado siempre a un usb para alimentarlo, el volumen es mas alto si se esta cargando por usb.


MODEL OUTPUT

 entrada: Funciona bien, lo conecta a la toma auxiliar del coche y ya puede enviar la musica del movil, se empareja muy rapido y sin problemas, lo tiene


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

Texto de entrada: Muy bueno. Estoy muy contenta por su rapidez y prestaciones


MODEL OUTPUT

 I am very content with your speed and services.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

Texto de entrada: Practico, útil y sencillo. Apenas se ensucia y es fácil de limpiar. La batería del teclado dura mucho tiempo, aunque no incluye cargador para este. La funda protege perfectamente pero sin ocupar mucho. El color rosa es mas bonito que en la foto.


MODEL OUTPUT

 The color of the rosa is much bonito that in the photo.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

Texto de entrada: Igual que el que venden en cualquier tienda, fácil instalación a buen precio.


MODEL OUTPUT

 Entrada: Igual que el que venden en cualquier tienda, fácil instalación a buen precio.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

Texto de entrada: Práctica y resistente. Bastante cómoda


MODEL OUTPUT

 Enrada: Práctica y resistente. Bastante cómoda


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

Texto de entrada: Llegó a casa y nada más bajar a dejarlo en el coche se había pinchado la rueda y lo probamos, es muy resistente y fácil de usar, con el pie se puede hacer fuerza y no se dobla, está como nuevo, va genial, lo recomiendo!


MODEL OUTPUT

 entrada: Llegó a casa y nada más bajar a dejarlo en el coche se haba pinchado la rueda y lo probamos, es muy resistente y fác


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

Texto de entrada: El cargador tiene muy buena presencia, con una funda de goma de protección (de lo que ya podía tomar nota Apple) y está funcionando muy bien, tanto como el original.


MODEL OUTPUT

 Entrada: The cargador has very good presencia, with a funda de protección (de lo que ya puede tomar nota Apple) and is very well, both as the original.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

Texto de entrada: Instalarla cuesta un poco, compre los tensores 2 en principio y finalmente 4 porque no quedaba lo suficientemente tensa y en la zona central estaba muy caída , los laterales finalmente quedaban casi a nivel a la misma altura que los soportes , pero la zona central quedaba baja, decidí tensar un poco más y el resultado es el que se aprecia en las fotos , en la parte del refuerzo y la costura finamente rompió, las fotos son después de aflojarlo ligeramente para evitar que terminase de romper el resultado es pésimo ya que no se puede andar bajo la lona, con los soportes colocados a 2,35 m de altura. Parecía que iba a tener buen resultado pero no.


MODEL OUTPUT




PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

Texto de entrada: Era para un regalo y al niño le encanto Vino en su pack sin estrenar,con lengueta que demostraba que no se habia usado la parte electronica


MODEL OUTPUT

 I am for a gift and the child the gift of Vino in his pack without estrenar,con lengueta que demostra que no saben el encargado electronica.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

Texto de entrada: Todavía no me ha llegado, debería haber llegado el viernes... Espero que llegue pronto y no se haya perdido por el camino


MODEL OUTPUT

 Text de entrada: Todava no me ha llegado, debera haber ha llegado el viernes... per que llegue pronto y no se ha tenido por e


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

Texto de entrada: El software que trae es penoso, la calidad del video y del audio son bastante deficientes si comparas con otras marcas.


MODEL OUTPUT

 Entrada: The software that comes is penoso, the quality of video and audio are very weak if compares with other brands.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

Texto de entrada: Con 2 semanas de uso el botón de apagado y encendido se ha desprendido de la funda impidiendo así su utilización.


MODEL OUTPUT

 En entrada: Con 2 semanas de uso el botón de apagado y encendido, ha desprendido del fondo impidiendo as su uso.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

Texto de entrada: Maleta flexible ideal para gente joven. Con cuatro ruedas, no pesa nada y mucha capacidad. Super recomendable


MODEL OUTPUT

 Ideal for people with a small budget. With four rins, no pesa nada and mucha capacidad.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

Texto de entrada: Es la más parecida a la original. Me gusta mucho y de hecho la volví a comprar en varios colores más


MODEL OUTPUT

 Enrada: Es la más parecida a la original. Me gusta mucho y de hecho la volv a comprar en varios colores más grandes.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

Texto de entrada: Perfecto, un poco largo para botella de butano, pero se puede cortar . Z z z z z z z


MODEL OUTPUT




PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

Texto de entrada: Cumple su cometido, pero la superficie de la cubeta es muy delicada y se raya con muchísima facilidad, simplemente usando los tenedores que incluye. En dos usos está muy estropeada


MODEL OUTPUT

 Entrancing: Cumple your cometido, but the superficie of the cube is very delicada and is raya con muchsima facilidad, simply using the tenedores that include.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

Texto de entrada: Lo que se esperaba, cumple su fucnion


MODEL OUTPUT

 entrada: What was esperaba, cumple his fucnion


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

Texto de entrada: Muy descontento con el envío. El paquete a llegado sin embalaje dentro de otra caja. A venido tal cual con la caja original y sin precinto de primera apertura. Si falta alguna pieza solicitaré la devolución.


MODEL OUTPUT

 No es encontrar en el envo. El paquete a llegado sin embalaje dentro de otra caja. Avenido tal cual con la caja original


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

Texto de entrada: Unos de los mejores champu que e provado


MODEL OUTPUT

 Into the text: One of the best titles


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

Texto de entrada: Lindo producto pero la segunda vez que l use se le salió una goma y no lo pude usar más


MODEL OUTPUT

 entrada: Lindo producto, but the second time that he used was he salió a goma, and no lo que puede usar más enviar más enviar más enviar más enviar


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

Texto de entrada: Nunca me llegó la sudadera


MODEL OUTPUT

 I didn't want to be sudader.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

Texto de entrada: Es un poco frágil. Aunque es un buen producto el acabado de los materiales es un poco frágil en el segundo uso la rueda que regula la fuerza de la palanca salio disparada dándose de si el plástico de la palanca done se sujeta. Dicho eso el sistema de riego funciona muy bien y sus diferentes chorros hacen que el uso de la manguera para diferentes opciones muy fácil


MODEL OUTPUT

 entrada: Es un poco frágil. As es un buen producto el acabado de los materiales es un poco frágil en el segundo uso la rueda que regula la fu


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

Texto de entrada: Todo tal y como en la foto, mi hijo de 5 años está encantado y lo usa cuando hace skateboard.


MODEL OUTPUT

 entrada: Todo tal y como en la foto, my son of 5 years is encantado y lo usa cuando hace skateboard.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

Texto de entrada: No funciona bien,marca una temperatura y cuando le ponemos el de toda la vida marca otra totalmente distinta.Mala compra,no te puedes fiar


MODEL OUTPUT

 Enrada: No funciona bien,marca una temperatura y cuando le ponemos el de toda la vida marca otra totalmente diferente.Mala compra,no te puedes fiar


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

Texto de entrada: He intentado con diferentes ordenadores y pantallas y no funciona. No reconoce los dispositivos. No lo recomiendo para nada.


MODEL OUTPUT

 He intentado con diferentes ordenadores y pantallas y no funciona. No reconoce los dispositivos. No recomiendo para nada.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

Texto de entrada: Leyendo las opiniones de otros compradores no sabia que esperar. Las habia buenas y malas. Yo me quede a medias. Pense que se quedaria mas cerrado, y aunque aun no lo he probado con frutos secos (almendras...) que era principalmente para lo que lo queria, el sistema de cierre que tiene no me da ninguna seguridad. Para cosas de mayor tamaño si lo veo adecuado para transportarlas (manzana, platano...) Si en lugar de un unico velcro, la tapa tuviese dos velcros si lo veria seguro (posiblemente me haga yo un apaño casero)


MODEL OUTPUT

 If in a velcro, the tapa tuviese two velcros if the veria seguro (posiblemente haga ayuda a ese ao)


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

Texto de entrada: Nunca se entregó el paquete, quise pedir un reembolso per nadie se hace cargo. Es la segunda vez que me pasa con Amazon


MODEL OUTPUT

 Amazon sat down and bought a new one.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

Texto de entrada: Demasiado aparatosa.


MODEL OUTPUT

 Entrada: Demasiado aparatosa.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

Texto de entrada: El tallaje no se corresponde pero son muy elásticos y encima me han enviado uno de ellos con una talla más pequeña.


MODEL OUTPUT

 Text de entrada: El tallaje no corresponde pero son muy elásticos, y encima me han enviado uno de ellos con una talla más pequea.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

Texto de entrada: Cuando escuchas música conectando tus auriculares al puerto lighting de la funda, estos se desconectan con facilidad. Por lo demás todo bien, es un palo ir cargándolo todos los días y además pesa demasiado, pero te salva bastante la vida cuando te quedas sin batería al final del día.


MODEL OUTPUT




PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

Texto de entrada: Necesitaba un ordenador portátil y aunque yo no tengo mucha idea de portátiles, me leí todas las opiniones que se decían de este modelo Lenovo, ya que está marca no la conocía. El ordenador va bien aunque para mi gusto un poco lento.


MODEL OUTPUT

 I need a portable ordenador and when I don't have much idea of portables, I le todos los opiniones que se decan de este modelo Lenovo, ya que está marca no la conocencia. The or


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

Texto de entrada: Compré el protector para el móvil de mi hija... en menos de 2 meses tiene ya la pantalla rota, sin golpes bruscos ni caidas de móvil, eso si el protector intacto. No parece que proteja mucho


MODEL OUTPUT

 entrada: Compré el protector para el móvil de mi hija... en menos de 2 meses tiene ya la pantalla rota, sin golpes bruscos ni caidas de mó


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

Texto de entrada: Hace su función, pero para mi gusto huele a azufre, osea, regular...


MODEL OUTPUT

 entrada: Hace su funcionamia, pero para mi gusto huele azufre, osea, regular...


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

Texto de entrada: Es una trilogia que se hace muy facil de leer. Me ha gustado, no me esperaba el final para nada


MODEL OUTPUT

 I have a trilogia that is very easy to leer. I have liked it, I did not expect it to be the final for nothing.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

Texto de entrada: Los auriculares tienen un diseño atractivo, se emparejan facilmente y funcionan bien. Pero el audio es muy mejorable, tiene un sonido enlatado completamente, también puede ser porque estoy acostumbrado a los del iphone que sinceramente se escuchan muy muy bien. Pero en cuanto al audio de unos auriculares soy bastante exigente.


MODEL OUTPUT

 entrada: The auriculars have an attractive design, is easily able and works well. But the audio is very better, has a fully integrated sound, also can be because I am a costumbrado to the iPhone that I am a bit of a fan. But


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

Texto de entrada: No soy capaz de ponerlo en funcionamiento. Poner hora..., y de más funciones. El móvil no pilla el reloj. Ayuda!!!!!!!!


MODEL OUTPUT

 entrada: No soy capaz de ponerlo en funcionamiento. Poner hora... y de más funciones. The móvil no pilla el reloj. Ayuda!!!!!!!!


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

Texto de entrada: La compré para mi sobrino de 4 años y le encantó. La parte delantera es dura y atrás normal, por lo que si quieres guardarla se puede plegar fácilmente. Es de tamaño medio, lo normal para un niño pequeño. Para adultos no la veo.


MODEL OUTPUT

 entrada: La compré para mi sobrino de 4 aos y le encantó. La parte delantera es dura y atrás normal, por lo que si quieres guardarla se puede


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

Texto de entrada: buena relación precio calidad,envio rápido


MODEL OUTPUT

 entrada: good price,envio rápid


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

Texto de entrada: Lo tenemos hace varias semanas y su funcionamiento es perfecto. Compra realizada por recomendación especializada Un aparato que cubre con su función sobradamente, preciso y de fácil manejo.


MODEL OUTPUT




PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

Texto de entrada: Cuando leí su venta, hablan de que el disco es de 125, pues bien el Disco No lo mandan, es un fallo no decirlo ya que llama a equivocación, si llego a saber que no lo traía no lo hubiese comprado.


MODEL OUTPUT

 entrada: Cuando le su venta, hablan de que el disco es de 125, pues bien el Disco No lo mandan, es una nica palabra, en el nic


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

Texto de entrada: Vino en su tiempo pero dañado en algunas zonas. Hablé con el vendedor y me quiso dar solución, pero no podía estar sin ello más tiempo


MODEL OUTPUT

 I am in my time, but I am in some areas. I am in my place with the vendedor and I am in my time, but I cannot be in it more than that.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

Texto de entrada: Es un timo, la descripción es falsa. No son 20 w, en la caja directamente pone ya 5 w cuando lo abres y al escucharlo por primera vez te das cuenta que es así porque suena muy muy bajo.


MODEL OUTPUT

 En el ltimo, la descripción es falsa. No son 20 w, en la caja directamente pone ya 5 w cuando lo abres y al escucharlo por primer


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

Texto de entrada: No me han llegado los protectores de esquinas y faltan un par de bloqueadores de puertas... supongo que sea un error. un saludo


MODEL OUTPUT

 Text de entrada: No han llegado protectores de esquinas y faltan un par de bloqueadores de puertas... supongo que era un error.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

Texto de entrada: cumple su función de apilar muchas latas y su consumo por orden de entrada, pero le falta algo al diseño porque si no se hace con cuidado, las latas se desbordan y caen, y por otro lado la zona superior debería cumplir mejor su misión de estante porque al colocar algo encima tiende a caerse por el fondo y obstaculiza el movimiento de las latas de la fila superior.


MODEL OUTPUT

 entrada: cumple su funciona de apilar muchas latas y su consumo por orden de entrada, pero le falta al diseo porque si no se hace con cuidado, las lata


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

Texto de entrada: Funciona genial. Hemos tenido suerte y hemos podido escuchar al bebé desde la semana 10. Estaba un poco indecisa a comprarlo por su alto precio en comparación a otros dispositivos, pero creo que merece la pena. (Es muy cómodo que sea sin cables y sin pilas. Además puedes grabar los latidos). Muy satisfecha con la compra.


MODEL OUTPUT

 Funciona. Hemos tenido suerte y hemos podido escuchar al bebé desde la semana 10. Estaba un poco indecisa a comprarlo por su alto precio en compar


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

Texto de entrada: Para una urgencia que no encuentres los de Catit bien, pero para poco tiempo


MODEL OUTPUT

 For a reason that I do not find the Catit well, but for a few days


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

Texto de entrada: No me esperaba que funcionara tan bien,te salva en cualquier sitio de comer caliente!!.


MODEL OUTPUT

 Text of entry: No esperaba que funcionara bien,te salvar en cualquier sitio de comer caliente!!


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

Texto de entrada: Bien calidad precio.


MODEL OUTPUT

 necesito que me ayudes en una tarea de clasificación de texto. The text that vas procesar del ambito de opiniones de productos. Quiero que me clasifiques


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

Texto de entrada: Todo biem lo compre para una fiesta de niños


MODEL OUTPUT

 Todo es como compremos para una fiesta de nios


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

Texto de entrada: Muy buen precio por la cantidad de pegatinas que ofrece. Hace tiempo compré una pegatina para el coche y costaba prácticamente lo mismo, mientras que ahora tengo 300 y puedo utilizarla para multitud de cosas. Muy contento la verdad, vienen pegatinas de marcas, de dibujos animados, de todo tipo.


MODEL OUTPUT




PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

Texto de entrada: El tamaño está muy bien, es lo que esperaba. El pero que le pongo es que pierde aire aunque no esté pinchado. Al cabo de menos de una hora ya no está bien hinchada y hay que volver a meterle aire, pero vamos, bastante bien.


MODEL OUTPUT

 entrada: El tamao está muy bien, es lo que esperaba. El pero que le pongo es que pierde aire aunque no esté pinchado. Al cabo de menos de una hora


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

Texto de entrada: En el primer viaje se le ha roto una rueda.


MODEL OUTPUT

 En el primer viaje, he has roto una rueda.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

Texto de entrada: No esta mal ,tiene un precio razonable.La entrega a sido rápida y en buenas condiciones,esto bastante contenta con mi pedido


MODEL OUTPUT

 Text of entry: No this mal ,tiene un precio razonable.La entrega a sido rapid and in good conditions,esto bastante contenta con mi pedido


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

Texto de entrada: Los he devuelto, son unos auriculares normales de cable pero que necesitan estar conectados al Bluetooth, con lo cual no son nada prácticos. Además una vez conectados se desconfiguran todo el tiempo y se dejan de oír sin razón aparte.


MODEL OUTPUT

 entrada: The he devuelto, son unos auriculares normales de cable pero que necesitan estar conectados al Bluetooth, con lo que no son nada prácticos. a vez conecta


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

Texto de entrada: Correcto pero no hidrata suficiente aun usandolo diariamente. Esperaba otro resultado mas sorprendente. Relacion precio y cantidad es correcta, pero la calidad un poco justa


MODEL OUTPUT

 Resultados: Corrected but not enough hydrated. I sprang another result mas sorprendente. Relacion price and cantidad is correct, but the quality is a little justa.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

Texto de entrada: Lo devolví porque era imposible llevar tal peso en mis viajes. Casi medio kilo. No me fijé en ese dato.


MODEL OUTPUT

 Text de entrada: I devolv porque era imposible llevar a ti en mi viajes. Casi medio kilo. No me fijé en ese dato.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

Texto de entrada: La compré por su precio pero la verdad recomiendo si o si una caja ATX aunque tengas una placa Micro ATX. Muy poco espacio para montar los componentes y aveces hay que hacer virguerías para poder ensamblar todo...


MODEL OUTPUT

 entrada: The compré por su precio pero la verdad recomiendo si o si una caja ATX aunque tenga una placa Micro ATX. Muy poco espacio para montar los componentes


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

Texto de entrada: es fácil de poner e instalar pero , en cuanto le pides un poco más de lo normal, no responde. El tener solo una boca hace que tengas que poner un switch y, si de ese sale un cable que va a otra habitación en la que hay otro switch la velocidad cae drásticamente. Probablemente sea más culpa del switch pero no he conseguido dar con alguno que no de ese problema, cosa que no me ocurría con un router estandard de los de asus con 4 bocas. También he experimentado problemas y he tenido que reconfigurar equipos como un NAS y demás En fin, para un instalación simple de router y todo wifi más acces point vale, pero no lo recomendaría si tienes una configuración algo más compleja


MODEL OUTPUT

 entrada text: es fácil de poner e instalar, pero en cuanto le pides un poco más de lo normal, no responde. El tener solo una boca hace que teng que poner


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

Texto de entrada: Pelusas y bolas, desde el primer día, no la volveré a utilizar para cubrir el sofá. No la recomiendo, para nada.


MODEL OUTPUT

 Entrada: Pelusas y bolas, desde el primer da, no la volveré a utilizar para cubrir el sofá. No la recomiendo, para nada.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

Texto de entrada: Hoy a dia 15 de Septiembre, todavia no he recibido el importe del reembolso que me hicieron el dia 5, me gustaría saber que pasa , porque no lo he rcibido.


MODEL OUTPUT

 Posted: On 15 de Septiembre, todavia no recibido el importe del reembolso que me hicieron el dia 5, y gustara saber que pasa , porque no lo


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

Texto de entrada: El precio muy economico. Se acopla bien, pero en 30 segundos se ha caido. No aguanta el peso del Tom Tom.


MODEL OUTPUT

 entrada: The price very economic. Se acopla bien, pero en 30 segundos se ha caido. No aguanta el peso del Tom Tom.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

Texto de entrada: era esactamente lo q queria, perfecto para teñir pasteles y tartas, da un color muy bonito y lo volveré a comprar seguro


MODEL OUTPUT

 entrada: era esactamente lo q queria, perfecto para teir pasteles y tartas, da una color muy bonito y volveré a comprar seguro


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

Texto de entrada: el producto bajo mi punto de vista no sirve de nada porque las plantillas son feas con ganas pero son baratas...


MODEL OUTPUT

 Text of entry: the product under my point of view is not worth it because the plantillas are feas with ganas but are baratas...


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

Texto de entrada: No me han gustado. Las puntas se rompen con mucha facilidad. Mis hijas no los han podido usar.


MODEL OUTPUT

 Text de entrada: No me han gustado. The puntas se rompen con mucha facilidad. Mis hijas no los han podido usar.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

Texto de entrada: Son muy cómodos y tienen muy buen sonido


MODEL OUTPUT

 Enrada: I am very comfortable and have very good sonido.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

Texto de entrada: Ha llegado roto en la base del USB


MODEL OUTPUT

 Deleted text: Has been inserted in the USB base


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

Texto de entrada: No funciona nada bien, se queda el azúcar pegado a la máquina, sin llegar ha hacer el algodon


MODEL OUTPUT

 Text de entrada: No funciona bien, se queda el azcar pegado a la máquina, sin llegar hacer algodon


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

Texto de entrada: Buena calidad, mejor de lo esperado


MODEL OUTPUT

 entrada: Good quality, better of what you see


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

Texto de entrada: Se echa en falta otra pantalla adiccional.


MODEL OUTPUT

 Text of entry: Se echa en falta otra pantalla adiccionada.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

Texto de entrada: mas pequeño de lo esperado


MODEL OUTPUT

 entrada: but pequeo de lo esperado


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

Texto de entrada: Un recopilatorio sin más, decoración de caja y cd sencilla. La pegatina transparente que tiene de cierre si no se retira con cuidado puede dañar la pintura de la caja de cartón.


MODEL OUTPUT

 A recopilatorio sin más, decoración de caja y cd sencilla. The transparent pegatina that has no need to retira con cuidado puede daar la pintura de la caja de cart


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

Texto de entrada: Deja unos bordes porque no se pega bien por los lados, pero todos los protectores por estos precios les pasa lo mismo


MODEL OUTPUT

 Enrada: Deja unas bordes porque no se pega bien por los lados, pero todos los protectores por estas precios les pasa lo mismo


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

Texto de entrada: Buena calidad y peso. Al uno con cuchilla merkur ni un tajo. Hay ke controlar un poco el tacto pero va fina. Producto original. Entrega en plazos


MODEL OUTPUT

 Entrega en plazos


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

Texto de entrada: son monos, aunque se ven de poca calidad, para lo que cuestan no se puede pedir mucho mas


MODEL OUTPUT

 entrada: son monos, aunque se ven de poca calidad, para lo que cuestan no puede pedir mucho mas.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

Texto de entrada: Es tan inhalámbrico que ni incluye el cable de alimentación.


MODEL OUTPUT

 Enrada: It is tan inhalámbrico que no incluye el cable de alimentación.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

Texto de entrada: El juego llego en la fecha prevista y precintado, lo curioso es que la caratula de la caja y el libreto interior están en ingles, y no indican por ningún lugar que el juego este doblado al Español, tanto los textos como los diálogos del mismo, tenia serias dudas al comprarlo ya que en las imágenes que lo anuncia ya se ve que están los textos en ingles, pero el juego esta en español como ya he indicado anteriormente, también lo indican en la mayoría de las respuestas a preguntas de otros compradores sobre si estaba o no en español. De momento lo único que he hecho ha sido cargarlo en la PS4 para asegurarme de que estaba en español, por si tenia que devolverlo en el caso de que se pueda una vez lo has des precintado claro, mas adelante cuando lo juegue ya emitiré una segunda opinión del mismo.


MODEL OUTPUT

 Qué es el juego llego en la fecha prevista y precintado, lo curioso es que la caratula de la caja y el libreto interior están en


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

Texto de entrada: Están muy bien ,calidad excelente


MODEL OUTPUT

 I am very pleased with the quality of the text.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

Texto de entrada: Mi pedido aparece como entregado y aún no lo he recibido.


MODEL OUTPUT

 Text de entrada: My pedido aparece as entregado y an no lo que recibido.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

Texto de entrada: Pensé que era más grande


MODEL OUTPUT

 I think it was more important to me to help me in a clasificación de texto.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

Texto de entrada: No me llegó el producto y ni el vendedor respondía los mensajes.


MODEL OUTPUT

 Text de entrada: No me llegó el producto, ni el vendedor responda los mensajes.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

Texto de entrada: Compré este pincho original y estoy contenta. Los datos se pasan bastante rapido,está acabado de metal. Sobre todo me encanta que se puede sujetar el teléfono. Usb muy cómodo ,original y resistente.Cumle perfectamente su funcion.Recomendable


MODEL OUTPUT

 Perfectly its funcion.Recomendable


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

Texto de entrada: Muy original para regalar


MODEL OUTPUT

 Text of entry: Very original to regalar ninguna otra palabra


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

Texto de entrada: El producto venia defectuoso y no funcionaba, ademas parece que estaba usado.


MODEL OUTPUT

 Entrada: The product venia defectuoso y no funcionaba, ademas parece que estaba usado.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

Texto de entrada: Por el precio que tienen son simplemente perfectos.


MODEL OUTPUT

 entrada: Por el precio que tienen son simplemente perfectos.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

Texto de entrada: Diseño bonito...no se pega bien a la pantalla...las teclas laterales no funciona bien...la inferiores funcionan mal


MODEL OUTPUT

 Then he sat down... he sat down... he sat down... he sat down... he sat down... he sat down... he sat down... he sat down... he sat


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

Texto de entrada: Según la recomendación que ponía en la descripción que servia para las máquinas BOSCH así es!! Va fenomenal. De hecho compré una segunda.


MODEL OUTPUT

 Text de entrada: Segn la recomendación que pona en la descripción que servia para los máquinas BOSCH as es!! Va fenomenal. De hecho compré una segund


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

Texto de entrada: Es la tercera vez que publico una opinión sobre este proyector y como la crítica es pésima parece ser que no me las han querido publicar. Me decidí a comprarlo fiándome de 3 opiniones positivas. Misteriosamente, después de escribir las dos opiniones fallidas y devolver el producto empezaron a aparecer decenas de comentarios EXCELENTES acerca de este proyector. Mi consejo es que no os fiéis de las opiniones cuando adquiráis un proyector chino.


MODEL OUTPUT

 entrada: Es la tercera vez que publico una opinión sobre este proyector y como la crtica parece ser que no me las han querido publicar. Me decid a comprarlo fi


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

Texto de entrada: Cumple su función a la perfección


MODEL OUTPUT

 To me, it is necessary to help me in a clasificación de texto. The text that vas procesar del ambito de opiniones de productos. I want to argue that I clasifiques the text one of the following categor


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

Texto de entrada: Buen trípode pero la haría falta que viniera con una funda de transporte para poderlo llevar cómodamente y protegido al lugar de trabajo.


MODEL OUTPUT

 Entrada: Buen trabajo, pero la hara falta que viniera con una funda de transporte para poderlo llevar cómodamente y protegido al lugar de traba


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

Texto de entrada: un vendedor estupendo ...me ha llegado muy rapido en perfecto estado, y encima con un regalito ... funcciona perfecto ... muchas gracias


MODEL OUTPUT

 entrada: un vendedor estupendo ...me ha llegado muy rapido en perfecto estado, y encima con un regalito ... funcciona perfecto ... muchas gra


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

Texto de entrada: No merece la pena seguir escribiendo , no son una buena alternativa a los oficiales dinero tirado a la basura


MODEL OUTPUT

 entrada: No merece la pena seguir escribiendo , no son a buena alternativa a los oficiales dinero tirado a la basura


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

Texto de entrada: La comodidad y el buen funcionamiento, lo que menos, que no guarde en una pequeña memoria la posicion del switch, es necesario pasa + directo.


MODEL OUTPUT

 Enrada: The comfort and good funcionamiento, lo que menos, que no guarde en una pequea memoria la posicion del switch, es necesario pasa + directo.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

Texto de entrada: Regla de patchwork perfecta para medir los bloques. Buena calidad/precio. Realizada en material muy resistente. Sus medidas la hacen muy práctica


MODEL OUTPUT

 Exceptional quality and quality.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

Texto de entrada: Los separadores no se sujetan. O son de otro modelo o falta una pieza en el medio, un desastre ya que lo compré para utilizarlo con dos bolsas y es muy incómodo. Bastante decepcionado.


MODEL OUTPUT

 Separadadores no se sujetan. O son de otro modelo o falta una pieza en medio, un desastre sobre utilizando con dos bolsas y es muy incómodo.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

Texto de entrada: Lo compré para tener todos los anzuelos y accesorios. Realmente hay poco de lo que se pueda utilizar. Anzuelos muy grandes y toscos. No recomiendo este producto.


MODEL OUTPUT

 I want to make sure that I have all the tools and accessories I need to use. I want to make sure that I have all the tools and accessories I need to use. I want to make sure that I have all the tools and accessories I need to use.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

Texto de entrada: Demasiado endebles no enganchan bien


MODEL OUTPUT

 Enrada: Demasiado endebles no enganchan bien


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

Texto de entrada: Débil. Se mueve mucho la base.


MODEL OUTPUT

 Entrada: Debile. Se mueve mucho la base.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

Texto de entrada: Es cómoda y fácil de usar solo un poco pequeña y le falta ser impermeable


MODEL OUTPUT

 Enrada: It is comfortable and easy to use only a little bit of a pequea and the falta ser impermeable.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

Texto de entrada: No es de gran tamaño, así en la mesita te caben más cosas; es muy útil ya que te dice hasta la temperatura que hace en ese momento, el día de la semana en letra y en numero, la humedad.. es perfecto y además va por pilas


MODEL OUTPUT

 entrada: No es de grande tamao, y en la mesita te caben más cosas; es muy til ya que te dice en el momento,


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

Texto de entrada: Las planté pero no creció nada!


MODEL OUTPUT

 Text de entrada: The planté but no creció nada!


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

Texto de entrada: Perfecto para la medida del cajon


MODEL OUTPUT

 Text of entry: Perfect for the medium of the cajon


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

Texto de entrada: Calidad la justa, a mi sobrino le ha encantado por eso, se lo lleva a todas partes. Lo he encontrado en el chino de al lado de casa por un precio similar 15€


MODEL OUTPUT

 Calidad la justa, a mi sobrino le ha encantado por eso, se lo lleva a todos partes.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

Texto de entrada: La plancha funciona bien pero no me parece correcto que en el anuncio se indique una potencia muy superior a la que realmente tiene, esta última indicada en la propia plancha.


MODEL OUTPUT

 Text de entrada: The plancha works well but not me parece correcto que en el anuncio se indique una potencia muy superior a la que realmente tiene, esta ltima indicada en la prop


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

Texto de entrada: Pues el pantalón es muy corriente, pero x el precio no puedes pedir más. La talla un disparate enano. En lugar de devolverlo me ofrecieron enviar otro. Aún no ha llegado así q...


MODEL OUTPUT

 Qué pantalón es muy corriente, pero x el precio no puedes pedir más. La talla un disparate enano. en lugar de devolverlo me ofrecier


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

Texto de entrada: Ahorro con respecto al precio en tiendas


MODEL OUTPUT




PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

Texto de entrada: El libro es corto, entretenido y con buenos ejemplos. Muy practico para conocer el metodo y aplicarlo rapidamente. Muu recomendable


MODEL OUTPUT

 Text of entry: The book is corto, entretenido y con buenos ejemplo. I am able to conocer el metodo y aplicarlo rapidamente.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

Texto de entrada: Llegó con una semana de retraso,lo demás todo bien


MODEL OUTPUT

 He went with a week of retraso, but still all well


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

Texto de entrada: Está muy bien a mí hijo le encantó


MODEL OUTPUT

 I am very pleased to have helped me in a text clasification.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

Texto de entrada: El color es el que esperaba aunque la calidad y el remate es muy normalito


MODEL OUTPUT

 Color: The color is the color that esperaba aunque the quality and the remate is very normal.


PARSE RESULT

 ['']
[63]:
sns.heatmap(confusion_matrix(test_targets, pred_targets), annot=True, cmap="Blues")
[63]:
<Axes: >
../_images/notebooks_04_test_flant5_classification_prompts_47_1.png

Prueba 2#

[64]:
prompt = """
TEMPLATE:
    "Necesito que me ayudes en una tarea de clasificación de texto.
    {__PROMPT_DOMAIN__}
    {__PROMPT_LABELS__}

    {__CHAIN_THOUGHT__}
    {__ANSWER_FORMAT__}"


PROMPT_DOMAIN:
    "Los textos que vas procesar del ambito de {__DOMAIN__}."


PROMPT_LABELS:
    "Quiero que me clasifiques los textos una de las siguientes categorías:
    {__LABELS__}."


PROMPT_DETAIL:
    ""


CHAIN_THOUGHT:
    "Argumenta tu respuesta paso a paso."


ANSWER_FORMAT:
    "En tu respuesta incluye sólo el nombre de la clase, como una única
    respuesta"
"""
[65]:
import seaborn as sns
from sklearn.metrics import confusion_matrix
from promptmeteo import DocumentClassifier

model = DocumentClassifier(
    language="es",
    model_name="google/flan-t5-small",
    model_provider_name="hf_pipeline",
    prompt_domain="opiniones de productos",
    prompt_labels=["positivo", "negativo", "neutro"],
    selector_k=0,
    verbose=True,
)

model.task.prompt.read_prompt(prompt)

pred_targets = model.predict(test_reviews)
/opt/conda/lib/python3.10/site-packages/transformers/generation/utils.py:1270: UserWarning: You have modified the pretrained model configuration to control generation. This is a deprecated strategy to control generation and will be removed soon, in a future version. Please use a generation configuration file (see https://huggingface.co/docs/transformers/main_classes/text_generation )
  warnings.warn(


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

Texto de entrada: Fue un regalo para mi madre que usa la moto a diario y esta encantada con ellas, además de ser bastante resistentes, tienen más de un año y están muy bien.


MODEL OUTPUT

 I was a gift for my mother who used the bike to ride and this encantada with them, more than once, has a year and is very well.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

Texto de entrada: Son dos pantallas protectoras bastante fáciles de instalar. Vienen en una cajita muy elegante con un montón de complementos e instrucciones sencillas para que puedas instalarlas con suma facilidad. No se ensucian mucho y aguantan bastante.


MODEL OUTPUT

 They are two pantalla protectors bastante fáciles de instalar. Vienen en una cajita muy elegante con un montón de complementos e instrucciones so that can instalarlas con suma facilidad.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

Texto de entrada: No sé si aportará todas las propiedades que anuncia, pero como ducha aumenta la presión y las tres variantes de chorro son agradables. Y refresca. Satisfecho.


MODEL OUTPUT

 No sé si aportará todas las propiedades que anuncia, pero como ducha aumentará la presión y las tres variantes de chorro son agradables. Y


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

Texto de entrada: No tiene mucha potencia


MODEL OUTPUT

 No tiene mucha potencia


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

Texto de entrada: No trae ruedas, no de puede llegar, la tela de mancha fácilmente


MODEL OUTPUT

 No trae ruedas, no tegar, la tela de mancha fácilmente


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

Texto de entrada: El juego estar genial, no importa tanto el hecho de que sea de segunda mano, pero el problema es que me llegó incompleto, sin el cd de banda sonora ni las pegatinas.


MODEL OUTPUT

 Puzzle game: The game is genial, not importa tanto el hecho de que estar de segunda mano, pero problema es que me llegó incompleto, sin el cd de banda sonora n


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

Texto de entrada: Aún no he recibido el artículo


MODEL OUTPUT

 No he recibido el artculo


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

Texto de entrada: Estética buena, pero de momento siguen atacando los bichos. Si fuera sin cable sería mejor para llevar cerca de las zonas de descanso


MODEL OUTPUT

 necesito que me ayudes en una tarea de clasificación de texto. The text that vas procesar del ambito de opiniones de productos. Quiero que me clasifiques


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

Texto de entrada: Normal. Pensaba ke seria mas gordita. Pero no, no es lo ke buscaba pero me apañare por ahora. Un 6 justito


MODEL OUTPUT

 A 6 justito


PARSE RESULT

 ['']
Token indices sequence length is longer than the specified maximum sequence length for this model (600 > 512). Running this sequence through the model will result in indexing errors


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

Texto de entrada: A alguien le ha llegado? A mí me mandaron un mensaje k me llega el lunes pero.....he visto k desde k lo pedí han modificado la descripción y creo k si llega no será el britax b emotion 4 k llevo pidiendo desde hace meses.


MODEL OUTPUT

 No Answer> No Answer> No Answer> No Answer> No Answer> No Answer> No Answer> No Answer> No Answer> No Answer> No Answer> No Answer> No


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

Texto de entrada: No sé quién puede estar interesado en semejante producto. Casi ninguna de las funciones funcionan. Lo que funciona es la calculadora,el reproductor de música, lo de contar los pasos y poco más. No sirve para nada poder mandar SMS, que cuestan dinero y nadie utiliza casi para nada, si no puedes utilizar el whatsapp, que es lo que todos tenemos y necesitamos. Ni whatsapp ni facebook, ni nada se puede usar. El reloj necesitaría otra tarjeta SIM para hacer llamadas sin conectarse al teléfono por bluetooth pero eso significa que te cobrarán unos cuatro euros más en tu operador de telefonia cada mes. El bluetooth es malísimo y no llega ni a unos centímetros, con lo cual no me llegaba ni de la muñeca hasta los cascos de las orejas. Para correr y escuchar música y mirar la hora...te durará media hora y eso con suerte y si tienes la suerte de que te llegue la señal a tus cascos desde el brazo. Muy muy muy decepcionada con este producto. Devuelto al día siguiente. Una tomadura de pelo.


MODEL OUTPUT

 A tomadura de pelo.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

Texto de entrada: No sirve para vitrocerámicas de inducción y la compramos porque el vendedor en el anuncio asegura que si


MODEL OUTPUT

 he is not able to reproduce the induction and compramos, he is not able to reproduce the induction and compramos.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

Texto de entrada: No es lo que esperaba no luce los metros que dice el vendedor


MODEL OUTPUT

 No es lo que esperaba no luce los metros que dice el vendedor


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

Texto de entrada: Tengo todas las perchas iguales y este pedido me ha venido en un color mas sucio y verdoso que el marfil normal. No es color marfil como ponen en la descripcion. Y el terciopelo es mas gordo que las otras de color marfil que se ven de mejor calidad.


MODEL OUTPUT

 I have a lot of colors and this pedido has made me a very good color. I have a lot of colors and this pedido has made me a very good color.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

Texto de entrada: Lo pasamos muy bien jugando a tirar bloques de hielo. Lo único que pongo en contra son los materiales. Son de poca calidad pero cumplen su función. No se nos ha roto


MODEL OUTPUT

 no hay roto


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

Texto de entrada: Muy buena compra. Envió rápido como siempre y el neumático lo que buscaba. Para los que quieran balón grande tendrán que cojer la medida 2.25


MODEL OUTPUT




PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

Texto de entrada: Perfecto para personas mayores


MODEL OUTPUT

 Perfect for people who are more likely to be a bit more likely to be a bit more likely to be a bit more likely to be a bit more likely to be a bit more likely to be a bit more likely to be a bit more likely to be a bit more likely


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

Texto de entrada: Una pena que la duración de la batería sea escasa


MODEL OUTPUT

 A pena that the duration of the batera is escasa


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

Texto de entrada: Encaja perfectamente y cubre todo el teléfono, no se desliza y es muy limpia, la única pega es que el plástico es muy duro y los botones de los laterales están cubiertos y tienes que hacer mucha fuerza para pulsarlos. Otra cosa que no me acaba de convencer es el dibujo interior que debería ser completamente liso.


MODEL OUTPUT

 Other things I do not agree with are the interior dibujo that should be completely liso.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

Texto de entrada: compré los originales bmw y me costaron 50 euros, estos son identicos a los originales, limpia bien medidas perfectas facil d instalar, durabilidad no lo se llevan poco tiempo


MODEL OUTPUT

 entrada: compré los originales bmw y me costaron 50 euros, these are identiques to los originales, cleanly well medidas perfectas facil das instalar, durabilidad no lo llevan poco tiemp


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

Texto de entrada: Es bastante bonita y se ajusta bastante bien al tlf muy muy recomendable


MODEL OUTPUT

 It is very good and it is easy to adjust to a tlf.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

Texto de entrada: pero este me salió malo...


MODEL OUTPUT

 No need to help me in a texting clasificación. The text that vas procesar del ambito de opiniones de productos. Quiero que me clasifiques the text one of the following categoras: ['


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

Texto de entrada: aunque en el anuncio pone precio final luego al pagar te cobran el transporte.


MODEL OUTPUT

 No Answers No Answers No Answers No Answers No Answers No Answers No Answers No Answers No Answers No Answers No Answers No Answers No


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

Texto de entrada: Lo compre estando embarazada y la verdad k no sabria decir si funciona o no pk tuve la suerte de no salirme estrias. Aunk tengo amigas k lo usaron y les salieron estrias igual y tampoco es k se las mejorase. No se si lo recomendaria. Lo bueno k huele bien y no mancha la ropa.


MODEL OUTPUT

 Iso es ok k yo yo yo yo yo yo yo yo yo yo yo yo yo yo yo yo yo y


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

Texto de entrada: Efecto frío combinado con mentol. Lubrica bastante bien aunque no dura demasiado (base acuosa). Buen lubricante para probar efecto frio con buen sabor :D. Tampoco he probado otros para poder comparar pero calidad-precio buena. 3/5


MODEL OUTPUT

 No need to help me in a textarea. Textures that vas procesar del ambito de opiniones de productos. Quiero que me clasifiques the text one of the following categoras: ['positivo'


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

Texto de entrada: No me valen para mí Honda y se vendo como que si


MODEL OUTPUT

 I don't want to buy my Honda, I'll buy it.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

Texto de entrada: Buenas actividades para niño de 4 años


MODEL OUTPUT

 Actividades para nio de 4 aos


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

Texto de entrada: no lo volvería a comprar, no le he encontrado ninguna utilidad, no es lo que esperaba, yo diría que no funciona, quizá sea inutilidad mía pero lo cierto es que no he conseguido utilizarlo, dinero perdido


MODEL OUTPUT

 No he encontrado a comprar, no he encontrado ningn utilidad, no he esperaba, yo dira que no funciona, quizá ser inutilidad ma, but


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

Texto de entrada: Muy buena calidad, despues de hacer la reparacion queda como si fuera original, muy contento.


MODEL OUTPUT

 I am pleased with the quality of the work, after I have completed the work, very content.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

Texto de entrada: El abrigo cumple, es caliente , tiene para las manos, es un buen articulo, por poner pega los hombros sobresalen un poco demás


MODEL OUTPUT

 necesito que me ayudes en una tarea de clasificación de texto. The text that vas procesar del ambito de opiniones de productos. Quiero que me clasifiques


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

Texto de entrada: Es bonito y el acabado de las tablas está bien (mejor que muchos de IKEA). No ocurre lo mismo con el de las varillas, que se raya con mirarlo y ya venía algo tocado del roce en la caja. El problema es que la varilla donde cuelgan las perchas, si son de metal, con seguridad lo va a desconchar. El montaje normal, al estilo IKEA, con instrucciones claras y herramientas necesarias. Con el uso iremos viendo el agua te de la rosca de los tornillos.


MODEL OUTPUT

 With the use of water, we will be able to swab the agua te de la rosca de los tornillos.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

Texto de entrada: Estoy muy decepcionado con el vendedor ya que el pedido no me llegó a tiempo y no cumplió los plazos de envío y era una cosa que necesitaba urgente. Para colmo me pongo en contacto con el vendedor y no da señales. No recomiendo nada


MODEL OUTPUT

 No recomendation nada


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

Texto de entrada: lo cogí en el outlet de amazón , me vino lleno de pelusa o pelos , y con la caja de un philips, lo devolví al segundo


MODEL OUTPUT

 Is there any way to help me in a texting clasificación. The text that vas procesar del ambito de opiniones de productos. Quiero que me clasifiques the text one of the following categoras


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

Texto de entrada: Producto de buena calidad


MODEL OUTPUT

 Product of good quality


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

Texto de entrada: Encaja perfectamente. Vergonzoso la manera en que lo entregan. La caja rota por varios sitios y abierta por los dos lados. Algo impropio de Amazon.


MODEL OUTPUT

 Is it illegal to buy a product from Amazon?


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

Texto de entrada: Esta bien el producto sobre todo teniendo en cuenta la relacción calidad/precio. Yo lo uso para hacer arreglillos en casa cuando corto la luz o para zonas oscuras. Para esto esta genial, te libera las manos y puedes trabajar. Realmente vale para mucho mas, ya que tiene 2 intensidades de luz, intermitencias y luz roja atras. Como fallo diré que no me gusta que las pilar recargables no sean de un tamaño estandar. Es decir, son mucho mas grandes que las pilas normales y si algún dia se estropean desconozco si se podrán encontrar facilmente. Espero que duren muchos años. Como se ve en la foto, el producto biene muy completo.


MODEL OUTPUT

 I don't know what to do with the product, but I'm sure it's good.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

Texto de entrada: No funcionaba, lo tuve que devolver, no se si era problema de la placa o del mecanismo, la devolución todo correctamente.


MODEL OUTPUT

 No funcionaba, lo que devolver, no se si era problema de la placa o del mecanismo, la devolución todo correctamente.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

Texto de entrada: Se ve bien el grabado


MODEL OUTPUT

 You ve bien el grabado


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

Texto de entrada: No recomiendo su compra... no se parece a la foto... muy mala resolución


MODEL OUTPUT

 No recomendation a paso. In your respuesta, include only the name of the class, as a unique respuesta Text of entry: No recomendation a paso. In your respuesta, include only the name of the class


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

Texto de entrada: En menos de un mes ya han dejado de funcionar. Primero se descarga la bateria aun sin uso, y ahora es que ni siquiera carga. He solicitado la garantia, y espero que al menos respondan pronto. Me los devuelven supuestamente arreglado el problema pero la realidad es que siguen exactamente igual, sin funcionar. Vuelta a empezar con la garantía


MODEL OUTPUT

 Vuelta a empezar con la garanta


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

Texto de entrada: El papel sigue siendo papel. Actualizado. Perfecto. Y no necesita pilas


MODEL OUTPUT

 No need for pilas


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

Texto de entrada: Funciona perfectamente. Tengo un terreno para regar de unos 80m2, y llega a rodas partes, hasta detras de unos setos


MODEL OUTPUT

 I have a tarea de clasificación de texto. The text is a textual ambito de opiniones de productos. I want to help you with a textual clasificación.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

Texto de entrada: No me llegó todavía el mueble del salón.. No corresponde los días previstos de envio,y sin saber cuándo llegará .


MODEL OUTPUT

 No i llegó todava el mueble del salón.. No corresponde los das previstos de envio, and sin saber cuándo llegará .


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

Texto de entrada: Tiene poco potencia tienes que darle tres veces al máximo para que seque


MODEL OUTPUT

 It has little potential to get three times the maximum for that


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

Texto de entrada: La zapatilla es muy bonita, su apariencia es buena. La parte interior es bastante floja no se le ve calidad. No la encuentro cómoda, quizás sea mi culpa ya que pedí el número que habitualmente calzo en deportivas y me queda amplio. Lo intenté solucionar con una buena plantilla, pero aun así, me resulta incómodo. Si volviese a comprarlo pediría una talla menos.


MODEL OUTPUT

 If you want to buy a taller one, you can buy a taller one.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

Texto de entrada: Todo correcto y acordé a lo anunciado


MODEL OUTPUT

 Answer Your Answer to Password. In your Answer, include only the name of the class, as a unique Answer Text


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

Texto de entrada: A venido rota. Venia bien envuelta pero al abrirla estaba rota. Y plastico malo.


MODEL OUTPUT

 Iso es el tarea de clasificación de texto.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

Texto de entrada: Me las compre para atarla con un hilo a las gafas de proteccion, Porque cuando necesitas los tapones nunca los encuentras, Pero no lo he echo porque me gustan mas las de esponja son mas comodas y aislan mejor.


MODEL OUTPUT

 I am compreso a las aos de protección, Porque cuando necesitas los encuentras nunca los encuentras, Pero no lo he echo porque me gustan mas las de espon


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

Texto de entrada: Se rompió la pieza de plástico central donde se enrollan las cuerdas a los tres años. Por lo demás bien


MODEL OUTPUT

 It was rompió the central pieza where the cuerdas were enrolling the cuerdas to the three years.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

Texto de entrada: Yo le puse unas ventosas más grandes porque lleva no aguantan con juguetes


MODEL OUTPUT

 I will put a lot of shit on my side because I will not hurt with juguetes


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

Texto de entrada: Es una porqueria de producto! En dos semanas ya estava oxidada y eso que hice el curado de la sarten pero la calidad de este producto es pesima. No recomiendo a nadie


MODEL OUTPUT

 No recommendation to anyone


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

Texto de entrada: Batería externa excelente, pero sus 200 g de peso parece que lleves otro móvil


MODEL OUTPUT

 Batera externa excelente, pero sus 200 g de peso parece que lleves otro móvil


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

Texto de entrada: Aunque la mayoría de opiniones positivas que tiene este producto son falsas (solo hay que leerlas todas y mirar nombres y fecha de publicación y la manera que se comentan).... decir que son unos auriculares muy correctos para el precio que tienen. Se echa de menos que los graves sean un poco más "potentes", pero por este precio no se puede pedir más. Ahora solo hace falta que funcionen bastante tiempo.


MODEL OUTPUT

 Now only has to be a false one that works for a long time.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

Texto de entrada: Buen cargador. Su forma va perfecta para poner en enchufes dobles al ser estrecho no tapa el enchufe de al lado. Era lo que busca


MODEL OUTPUT

 I need to help you in a tarea de clasificación de texto. The text that vas procesar del ambito de opiniones de productos. Quiero que me clasifiques the text one of the following categor


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

Texto de entrada: El colchon esta bien, el envío tardo más de dos Semanas en llegar


MODEL OUTPUT

 The colchon is good, the envo later in two weeks in llegar


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

Texto de entrada: Malísima calidad. Me Llegó el producto dañado con todos los tornillos oxidados y faltando piezas y además la atención con el vendedor nada buena me he tenido que poner en contacto con amazon para que medie pq no vienen por el producto y cuando te dicen vienen no aparecen y no me devuelven mi dinero.


MODEL OUTPUT

 Llegó el product daado con todos los tornillos oxidados y faltando piezas y además la atención con el vendedor nada buena me he ten


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

Texto de entrada: El producto me ha llegado sin tapa tal como se ve en la foto, por suerte no está abierto. La valoración es por él estado del envío, no por el producto en sí.


MODEL OUTPUT

 I need to help you in a clasificación de texto. The text that vas procesar del ambito de opiniones de productos. I want to help you clasifiques the text one of the following categoras: [


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

Texto de entrada: No lo recomiendo. Es de baja calidad. La salida RCA analógica nunca ha funcionado. Si me llego a dar cuenta a tiempo lo hubiera devuelto :-(


MODEL OUTPUT

 No need to help me in a text clasificación. The text that vas procesar del ambito de opiniones de productos. Quiero que me clasifiques the text one of the following categoras: ['posi


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

Texto de entrada: Cómodos, antideslizantes, ligeros para trabajar


MODEL OUTPUT

 Entrada


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

Texto de entrada: Quizá lo compré un poco grande y por eso se me caen Igual que en la foto. Ojo ! Elegir bien la talla


MODEL OUTPUT

 I want to buy a lot of things and I want to buy a lot of things.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

Texto de entrada: Una auténtica porquería.


MODEL OUTPUT

 Una auténtica porquera.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

Texto de entrada: Me llegó abierta la caja y faltaba una barritas! Un engaño total


MODEL OUTPUT

 I need to help you in a texting clasificación. The text that vas procesar del ambito de opiniones de productos. Quiero que me clasifiques the text one of the following categoras: ['


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

Texto de entrada: La mesa cumple con lo que necesitaba. Pesa poco, se pliega facil, y es estable para dejar algo fijo en ella. Para estar tecleando o manejando cosas en ella no parece la mesa mas estable del mundo. El material es plastico.


MODEL OUTPUT

 Material is plastic.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

Texto de entrada: Como pata esta bien si tienes adaptador. Calidad buena.


MODEL OUTPUT

 I need to help you in a text clasificación. The text that will process from the ambito de opiniones de productos. I want to help you clasifiques the text one of the following categoras: ['positivo


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

Texto de entrada: No duran mucho tiempo (6 meses)


MODEL OUTPUT

 No duran much time (6 months)


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

Texto de entrada: Me a llegado rallada los dibujos y de color naranja , no es lo que pone en la descripción ponía de color rosa y llega de otro color .


MODEL OUTPUT

 I am a rallada los dibujos y color naranja , no es lo que pone en la descripción pona de color rosa y llega de color otra .


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

Texto de entrada: No sé lo que durará, pero eso de poder cortar el celo automaticamente mientras lo pones, es fantástico. La idea es brillante y de momento, funciona muy bien. Para la gente que ponga carteles, supongo que es una herramienta obligatoria. Recomendable 100%


MODEL OUTPUT

 100%


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

Texto de entrada: después de un mes, imposible conectar con ningún dispositivo....mala compra


MODEL OUTPUT

 No need to help me in a text clasificación. The text that will process from the ambito de opiniones de productos. I want to clasify the text one of the following categoras: ['positivo',


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

Texto de entrada: Cumple su función, es ligero con gran resistencia. Se pliega hasta ocupar muy poco espacio. Lo recomiendo, por su calidad y precio


MODEL OUTPUT

 necesito que me ayudes en una tarea de clasificación de texto. The text that vas procesar del ambito de opiniones de productos. Quiero que me clasifiques


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

Texto de entrada: RECOMENDARÍA EL LIBRO A LOS INTERESADOS EN HISTORIA MEDIEVAL. ES UN LIBRO INTERESANTE Y BIEN ILUSTRADO. EL TAMAÑO ES ADECUADO.


MODEL OUTPUT

 EL TAMAO ES ADECUADO.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

Texto de entrada: Se mueve muy fácilmente y cuando se mueve, se enciede. A nada que lo tocas. No tiene freno


MODEL OUTPUT

 No tiene freno


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

Texto de entrada: Loc compre para un regalo, es perfecto le encantó, es mas grande de lo que me esperaba. No me ha decepcionado los lego siempre son un acierto y son lo que ves en la caja. Me ha gustado mucho


MODEL OUTPUT

 I have enjoyed much


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

Texto de entrada: Este era el último libro que le faltaba a mi hermana de la trilogía y por supuesto le encantó, Por lo que recomiendo mucho todos los libros


MODEL OUTPUT

 This was the last book I read to my sister of the triloga and, in spite of it, I found it to be a great book.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

Texto de entrada: Solo encienden la mitad de los led


MODEL OUTPUT

 Organize your response to the text.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

Texto de entrada: Muy fina, poca protección


MODEL OUTPUT




PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

Texto de entrada: Decepcionada se supone que es universal pero para el carro jane muun no vale no encaja en eñ cabezero porque la tela de saco es rigida y muy estrecha.


MODEL OUTPUT

 Decepcionada se supone que es universal pero per el carro jane muun no vale no encaja no encaja no encaja no encaja no encaja no enca


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

Texto de entrada: Consta como un cartucho vacío, no sirve para nada.


MODEL OUTPUT

 Contain your answer to the question. In your answer, you can only answer the question of whether or not you are a vacunator.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

Texto de entrada: El pantalón destiñe, ha manchado las sábanas de verde en el primer uso


MODEL OUTPUT

 The pantalón destie, has manchado the green sábanas in the first use


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

Texto de entrada: CUMPLE LA MISION PARA MEDIR CUALQUIER ANGULO,.ES ALGO PEQUEÑO TE TIENES QUE AUXILIAR DE UNA REGLA.EL ENVIO FUE RAPIDO Y MUY BIEN EMBALADO.


MODEL OUTPUT

 CUMPLE LA MISION PARA MEDIR CUALQUIER ANGULO,.ES ALGO PEQUEO TE TIENES QUE AUXILIAR DE UNA REGLA.EL ENVIO FUE RAPIDO Y MU


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

Texto de entrada: Las veo un poco flojas para un perro grande..


MODEL OUTPUT

 I need to help you in a texting clasificación. The text that vas procesar del ambito de opiniones de productos. I want to help you clasifiques the text one of the following categoras: ['


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

Texto de entrada: Lo malo es que me hubiese gustado que el rollo fuera mas largo. Para poder aprovecharlo mejor. Pero el material es de buena calidad.


MODEL OUTPUT

 I need to help you in a texting clasificación. The text that you want to use is a text that you want to use. I want to help you in a texting clasificación.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

Texto de entrada: Hacen perfectamente su función. La luz delantera ilumina muchísimo incluso en su nivel mas bajo, y la trasera se ve perfectamente a muchísima distancia. La bateria para la luz delantera tiene mucha autonomia. El montaje es muy sencillo. Recomendo para todo el mundo. Gracias.


MODEL OUTPUT

 Thank you.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

Texto de entrada: No e tenido bombillas de estas pero son una pasada, Pones una película y le cambias el color y esta súper bien, la app tiene varias modalidades. Modo lectura ,desayuno disco etc...


MODEL OUTPUT

 No es necesario ayudar en una tarea de clasificación de texto. The text that vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los text


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

Texto de entrada: Practico, parece que no se debe oxidar con el agua, se engancha como si fuera una percha a un grifo o similar, pero la ventosa inferior no pega con la fuerza necesaria y se desplaza. Ojo si el enganche es prominente los estantes quedarán muy separados de la pared y se caerán por detrás


MODEL OUTPUT

 Practico, parece que no se debe oxidar con el agua, se engancha como si fuera una percha a un grifo o similar, pero la ventosa inferior no pega con la fu


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

Texto de entrada: Mejor de lo que me esperaba un precio increible muy contento


MODEL OUTPUT

 I need to help you in a text clasificación. The text that will process from the ambito de opinions de productos. I want to clasify the text one of the following categoras: ['positivo', 'n


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

Texto de entrada: El producto exacto y sin una queja. En cambio el transporte TARDE MAL Y NUNCA. No sólo no entregaron el paquete a tiempo dos días más tarde de lo acordado si no que además tuve que desplazarme yo a buscarlo a la central Cuando yo estoy pagando por un servicio puerta a puerta. Correos express MUY MAL. Y NO ES LA PRIMERA VEZ


MODEL OUTPUT

 Y NO ES


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

Texto de entrada: Después de unos meses de uso cambio mi valoración seguido de mi opinión: El dispensador ha dejado de funcionar correctamente, el vendedor sólo me contestó para preguntarme por el número de pedido, una vez se lo dije... no he vuelto a saber nada mas de el, ni ha dado soluciones, ni mucho menos ha intentado buscarlas o averiguar por que falla. Por otro lado destacar que ha empezado a oxidarse... Raro ya que el anuncio ponía claramente de Acero Inoxidable... ------------------------------------------------------------------------------------------ La tecnología llega a nuestras casas... hace unos meses compré una papelera/basura también con sensor de proximidad y apertura automática. Quede muy contento y me arriesgue con este dispensador de jabón. La principal característica y ventaja es que no "pringas" nada. Puedes tener las manos llenas de jabón o agua y solo con aproximar la mano al sensor el dispensador se activa. Es muy fácil de utilizar, dispone de dos botones, + y - estos sirven para graduar la descarga del dispensador. Pulsando más de 3 segundos el +, podemos encenderlo o apagarlo. La carga se efectúa por la parte superior desde un tapón de media rosca. Destacar que el dispensador utiliza 4 pilas del tipo A++ que no van incluidas en el paquete.


MODEL OUTPUT

 La tecnologa llega a nuestras casas... hace unos meses compré una papelera/basura también con sensor de proximidad y apertura automática. Quede muy


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

Texto de entrada: Muy buena relación calidad-precio , me solucionó el problema sin cables


MODEL OUTPUT

 I need to help you in a text clasificación. The text that vas procesar del ambito de opiniones de productos. I want to clasifiques the text one of the following categoras: ['positivo


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

Texto de entrada: Bonita y grande, de tela resistente, pero el cierre está mal conseguido y es incómodo y las tiras son muy endebles, no creo que resistieran un tirón y si llevas peso te molestan


MODEL OUTPUT

 Bonita y grande, de tela resistente, pero el cierre está mal conseguido y es incómodo y los tiras son muy endebles, ni creo que resisteran


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

Texto de entrada: el cable no tiene el suficiente peso como para rodar sin que de problemas y se enganche. La forma de enganche del cable a la maneta de forma lateral hace que el rodamiento no sea fluido.


MODEL OUTPUT

 No Answers No Answers No Answers No Answers No Answers No Answers No Answers No Answers No Answers No Answers No Answers No Answers No


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

Texto de entrada: El vendedor se queda en esta ocasión sin otra crítica positiva como todas las que tiene este producto por culpa de su mala praxis, que te lleguen estos auriculares en su caja rajada, con los precintos de plástico rotos y los auriculares sucios no es un buen comienzo, si a eso le añadimos que cuando vas a probarlos no está el cable de carga USB y que solo funciona el canal izquierdo por Bluetooth pues pasa lo que pasa en esta ocasión, que te llevas un cero patatero tanto en el artículo como en el vendedor.


MODEL OUTPUT

 Argumenta tu respuesta paso. En tu respuesta incluye sólo el nombre de clase, como una nica respuesta Text de entrada: El vendedor se queda


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

Texto de entrada: Funciona muy bien, lo conectas a la toma auxiliar del coche y ya puedes enviar la musica del movil, se empareja muy rapido y sin problemas, yo lo tengo puesto conectado siempre a un usb para alimentarlo, el volumen es mas alto si se esta cargando por usb.


MODEL OUTPUT

 I am very happy, luego conecta a la toma auxiliar del coche y ya puede enviar la musica del movil, se empareja muy rapido y sin problemas, yo lo


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

Texto de entrada: Muy bueno. Estoy muy contenta por su rapidez y prestaciones


MODEL OUTPUT

 I am very content with your speed and services.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

Texto de entrada: Practico, útil y sencillo. Apenas se ensucia y es fácil de limpiar. La batería del teclado dura mucho tiempo, aunque no incluye cargador para este. La funda protege perfectamente pero sin ocupar mucho. El color rosa es mas bonito que en la foto.


MODEL OUTPUT

 The color of the rosa is much bonito that in the photo.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

Texto de entrada: Igual que el que venden en cualquier tienda, fácil instalación a buen precio.


MODEL OUTPUT

 Igual que el que venden en cualquier tienda, fácil instalación a buen precio.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

Texto de entrada: Práctica y resistente. Bastante cómoda


MODEL OUTPUT

 necesito que me ayudes en una tarea de clasificación de texto. The text that vas procesar de la ambito de opiniones de productos. Quiero que me clasifiques


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

Texto de entrada: Llegó a casa y nada más bajar a dejarlo en el coche se había pinchado la rueda y lo probamos, es muy resistente y fácil de usar, con el pie se puede hacer fuerza y no se dobla, está como nuevo, va genial, lo recomiendo!


MODEL OUTPUT

 No Answer> No Answer> No Answer> No Answer> No Answer> No Answer> No Answer> No Answer> No Answer> No Answer> No Answer> No Answer> No


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

Texto de entrada: El cargador tiene muy buena presencia, con una funda de goma de protección (de lo que ya podía tomar nota Apple) y está funcionando muy bien, tanto como el original.


MODEL OUTPUT

 The cargador has very good presencia, with a funda de protección (on which I can use nota Apple) and is working very well, both as the original.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

Texto de entrada: Instalarla cuesta un poco, compre los tensores 2 en principio y finalmente 4 porque no quedaba lo suficientemente tensa y en la zona central estaba muy caída , los laterales finalmente quedaban casi a nivel a la misma altura que los soportes , pero la zona central quedaba baja, decidí tensar un poco más y el resultado es el que se aprecia en las fotos , en la parte del refuerzo y la costura finamente rompió, las fotos son después de aflojarlo ligeramente para evitar que terminase de romper el resultado es pésimo ya que no se puede andar bajo la lona, con los soportes colocados a 2,35 m de altura. Parecía que iba a tener buen resultado pero no.


MODEL OUTPUT

 Iba a tener buen resultado, but no.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

Texto de entrada: Era para un regalo y al niño le encanto Vino en su pack sin estrenar,con lengueta que demostraba que no se habia usado la parte electronica


MODEL OUTPUT

 I am a gift and the child is the gift of Vino in his pack without being snagged,with lengueta that demostraba a nio que no use the electronic part


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

Texto de entrada: Todavía no me ha llegado, debería haber llegado el viernes... Espero que llegue pronto y no se haya perdido por el camino


MODEL OUTPUT

 I need to help you in a texting clasificación. The text that will process the ambito de opiniones de productos. I want to clasify the text one of the following categoras: ['positivo',


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

Texto de entrada: El software que trae es penoso, la calidad del video y del audio son bastante deficientes si comparas con otras marcas.


MODEL OUTPUT

 Exceptional: The software that comes is penoso, the quality of video and audio are very weak if compares with other brands.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

Texto de entrada: Con 2 semanas de uso el botón de apagado y encendido se ha desprendido de la funda impidiendo así su utilización.


MODEL OUTPUT

 Con 2 semanas de uso el botón de apagado y encendido, ha desprendido del fondo impidiendo as su usación.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

Texto de entrada: Maleta flexible ideal para gente joven. Con cuatro ruedas, no pesa nada y mucha capacidad. Super recomendable


MODEL OUTPUT

 Ideal for people with small pockets, no pesa nada and mucha capacidad.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

Texto de entrada: Es la más parecida a la original. Me gusta mucho y de hecho la volví a comprar en varios colores más


MODEL OUTPUT

 I like to like it, but I like to like it more.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

Texto de entrada: Perfecto, un poco largo para botella de butano, pero se puede cortar . Z z z z z z z


MODEL OUTPUT




PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

Texto de entrada: Cumple su cometido, pero la superficie de la cubeta es muy delicada y se raya con muchísima facilidad, simplemente usando los tenedores que incluye. En dos usos está muy estropeada


MODEL OUTPUT

 No need to help me in a clasificación de texto. The text that vas procesar del ambito de opiniones de productos. Quiero que me clasifiques the text one of the following categoras


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

Texto de entrada: Lo que se esperaba, cumple su fucnion


MODEL OUTPUT

 Quiere a tarea de clasificación de texto. Quiere a tarea de clasificación de texto. Quiere a tarea de clasificación de texto. Qu


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

Texto de entrada: Muy descontento con el envío. El paquete a llegado sin embalaje dentro de otra caja. A venido tal cual con la caja original y sin precinto de primera apertura. Si falta alguna pieza solicitaré la devolución.


MODEL OUTPUT

 If you do not want to see some pieza, you can call the devolution.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

Texto de entrada: Unos de los mejores champu que e provado


MODEL OUTPUT

 negativo', negativo'.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

Texto de entrada: Lindo producto pero la segunda vez que l use se le salió una goma y no lo pude usar más


MODEL OUTPUT

 negativo negativo negativo negativo negativo negativo negativo negativo negativo negativo n


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

Texto de entrada: Nunca me llegó la sudadera


MODEL OUTPUT

 I didn't want to die.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

Texto de entrada: Es un poco frágil. Aunque es un buen producto el acabado de los materiales es un poco frágil en el segundo uso la rueda que regula la fuerza de la palanca salio disparada dándose de si el plástico de la palanca done se sujeta. Dicho eso el sistema de riego funciona muy bien y sus diferentes chorros hacen que el uso de la manguera para diferentes opciones muy fácil


MODEL OUTPUT

 It is very well and its different chorros make it possible to use the mangue for different options


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

Texto de entrada: Todo tal y como en la foto, mi hijo de 5 años está encantado y lo usa cuando hace skateboard.


MODEL OUTPUT

 I need to help you in a texting clasificación. The text that will process from the ambito de opiniones de productos. I want to help you clasifiques the text one of the following categoras: ['positiv


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

Texto de entrada: No funciona bien,marca una temperatura y cuando le ponemos el de toda la vida marca otra totalmente distinta.Mala compra,no te puedes fiar


MODEL OUTPUT

 No funciona bien,marca una temperatura y cuando le ponemos el de toda la vida marca otra totalmente diferente.Mala compra,no te puedes fiar


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

Texto de entrada: He intentado con diferentes ordenadores y pantallas y no funciona. No reconoce los dispositivos. No lo recomiendo para nada.


MODEL OUTPUT

 He intentado con diferentes ordenadores y pantallas y no funciona. No reconocer los dispositivos. No recommend it for nothing.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

Texto de entrada: Leyendo las opiniones de otros compradores no sabia que esperar. Las habia buenas y malas. Yo me quede a medias. Pense que se quedaria mas cerrado, y aunque aun no lo he probado con frutos secos (almendras...) que era principalmente para lo que lo queria, el sistema de cierre que tiene no me da ninguna seguridad. Para cosas de mayor tamaño si lo veo adecuado para transportarlas (manzana, platano...) Si en lugar de un unico velcro, la tapa tuviese dos velcros si lo veria seguro (posiblemente me haga yo un apaño casero)


MODEL OUTPUT

 If a velcro is a velcro, the tap is a velcro if it is safe (posible he haga a velcro)


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

Texto de entrada: Nunca se entregó el paquete, quise pedir un reembolso per nadie se hace cargo. Es la segunda vez que me pasa con Amazon


MODEL OUTPUT

 I need to help you in a clasificación de texto. The text that vas procesar del ambito de opiniones de productos. Quiero que me clasifiques the text one of the following categoras: [


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

Texto de entrada: Demasiado aparatosa.


MODEL OUTPUT

 No need to help me in a textarea.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

Texto de entrada: El tallaje no se corresponde pero son muy elásticos y encima me han enviado uno de ellos con una talla más pequeña.


MODEL OUTPUT

 I need to help you in a texting clasificación. The text that vas procesar de ambito de opiniones de productos. I want to help you clasifiques the text one of the following categoras: ['posi


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

Texto de entrada: Cuando escuchas música conectando tus auriculares al puerto lighting de la funda, estos se desconectan con facilidad. Por lo demás todo bien, es un palo ir cargándolo todos los días y además pesa demasiado, pero te salva bastante la vida cuando te quedas sin batería al final del día.


MODEL OUTPUT

 No need to help me ayudes en una tarea de clasificación de texto. Los textos que vas procesar de ambito de opiniones de productos. Quiero que me clasifiques los


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

Texto de entrada: Necesitaba un ordenador portátil y aunque yo no tengo mucha idea de portátiles, me leí todas las opiniones que se decían de este modelo Lenovo, ya que está marca no la conocía. El ordenador va bien aunque para mi gusto un poco lento.


MODEL OUTPUT

 I need a portable ordenador and when I don't have much idea of portables, I just want to make sure that I have all the opinions that Lenovo has on this model, so I'm not sure what it is. The ordenador will be good for me, because


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

Texto de entrada: Compré el protector para el móvil de mi hija... en menos de 2 meses tiene ya la pantalla rota, sin golpes bruscos ni caidas de móvil, eso si el protector intacto. No parece que proteja mucho


MODEL OUTPUT

 No, it seems to protect mucho.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

Texto de entrada: Hace su función, pero para mi gusto huele a azufre, osea, regular...


MODEL OUTPUT

 I need to help you in a texting clasificación. The text that will process the ambito de opiniones de productos. I want to clasify the text one of the following categoras: ['positivo',


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

Texto de entrada: Es una trilogia que se hace muy facil de leer. Me ha gustado, no me esperaba el final para nada


MODEL OUTPUT

 I am glad I did, but I am not expecting anything.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

Texto de entrada: Los auriculares tienen un diseño atractivo, se emparejan facilmente y funcionan bien. Pero el audio es muy mejorable, tiene un sonido enlatado completamente, también puede ser porque estoy acostumbrado a los del iphone que sinceramente se escuchan muy muy bien. Pero en cuanto al audio de unos auriculares soy bastante exigente.


MODEL OUTPUT

 I think the audio is very good, it is very good, it is very easy to hear, it is very easy to hear, it is very easy to hear.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

Texto de entrada: No soy capaz de ponerlo en funcionamiento. Poner hora..., y de más funciones. El móvil no pilla el reloj. Ayuda!!!!!!!!


MODEL OUTPUT

 Help me!


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

Texto de entrada: La compré para mi sobrino de 4 años y le encantó. La parte delantera es dura y atrás normal, por lo que si quieres guardarla se puede plegar fácilmente. Es de tamaño medio, lo normal para un niño pequeño. Para adultos no la veo.


MODEL OUTPUT

 For adultes no veo.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

Texto de entrada: buena relación precio calidad,envio rápido


MODEL OUTPUT

 necesito que me ayudes en una tarea de clasificación de texto. The text that vas procesar del ambito de opiniones de productos. Quiero que me clasifiques


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

Texto de entrada: Lo tenemos hace varias semanas y su funcionamiento es perfecto. Compra realizada por recomendación especializada Un aparato que cubre con su función sobradamente, preciso y de fácil manejo.


MODEL OUTPUT

 necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar de la ambito de opiniones de productos. Quiero que me clas


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

Texto de entrada: Cuando leí su venta, hablan de que el disco es de 125, pues bien el Disco No lo mandan, es un fallo no decirlo ya que llama a equivocación, si llego a saber que no lo traía no lo hubiese comprado.


MODEL OUTPUT

 When you read the passage, he said, 'The disco is 125, pues bien el disco no mandan, es una nica nica nica nica nica nica nica nica


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

Texto de entrada: Vino en su tiempo pero dañado en algunas zonas. Hablé con el vendedor y me quiso dar solución, pero no podía estar sin ello más tiempo


MODEL OUTPUT

 Vino en su tiempo pero daado en algunas zonas. Hablé con el vendedor y me quiso dar solución, but no puede ser sin eso más tiempo


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

Texto de entrada: Es un timo, la descripción es falsa. No son 20 w, en la caja directamente pone ya 5 w cuando lo abres y al escucharlo por primera vez te das cuenta que es así porque suena muy muy bajo.


MODEL OUTPUT

 No te o te o te o te o te o te o te o te o te o te o te o te o t


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

Texto de entrada: No me han llegado los protectores de esquinas y faltan un par de bloqueadores de puertas... supongo que sea un error. un saludo


MODEL OUTPUT

 No i have llegado protectores de esquinas y faltan un par de bloqueadores de puertas... spongo que i be a error.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

Texto de entrada: cumple su función de apilar muchas latas y su consumo por orden de entrada, pero le falta algo al diseño porque si no se hace con cuidado, las latas se desbordan y caen, y por otro lado la zona superior debería cumplir mejor su misión de estante porque al colocar algo encima tiende a caerse por el fondo y obstaculiza el movimiento de las latas de la fila superior.


MODEL OUTPUT

 Argumenta tu respuesta paso. En su respuesta incluye sólo el nombre de la clase, como una nica respuesta Text de entrada: cumple su funciona de apilar


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

Texto de entrada: Funciona genial. Hemos tenido suerte y hemos podido escuchar al bebé desde la semana 10. Estaba un poco indecisa a comprarlo por su alto precio en comparación a otros dispositivos, pero creo que merece la pena. (Es muy cómodo que sea sin cables y sin pilas. Además puedes grabar los latidos). Muy satisfecha con la compra.


MODEL OUTPUT

 Very satisfied with the product.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

Texto de entrada: Para una urgencia que no encuentres los de Catit bien, pero para poco tiempo


MODEL OUTPUT

 For a urgencia that doesn't find the Catit well, but for a few minutes


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

Texto de entrada: No me esperaba que funcionara tan bien,te salva en cualquier sitio de comer caliente!!.


MODEL OUTPUT

 No esperaba que funcionara bien bien,te salvar en cualquier sitio de comer caliente!!


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

Texto de entrada: Bien calidad precio.


MODEL OUTPUT

 I would like to thank you for your help.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

Texto de entrada: Todo biem lo compre para una fiesta de niños


MODEL OUTPUT

 To help me help you in a texting clasificación. The text that vas procesar del ambito de opiniones de productos. Quiero que me clasifiques the text one of the following categoras: ['


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

Texto de entrada: Muy buen precio por la cantidad de pegatinas que ofrece. Hace tiempo compré una pegatina para el coche y costaba prácticamente lo mismo, mientras que ahora tengo 300 y puedo utilizarla para multitud de cosas. Muy contento la verdad, vienen pegatinas de marcas, de dibujos animados, de todo tipo.


MODEL OUTPUT

 Is it worth the price of pegatinas that ofrece?


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

Texto de entrada: El tamaño está muy bien, es lo que esperaba. El pero que le pongo es que pierde aire aunque no esté pinchado. Al cabo de menos de una hora ya no está bien hinchada y hay que volver a meterle aire, pero vamos, bastante bien.


MODEL OUTPUT

 Is it okay to lose the air? Is it okay to lose air? Is it okay to lose air? Is it okay to lose air? Is it okay to lose air? Is it okay to lose air? Is it okay to lose air? Is it okay to lose


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

Texto de entrada: En el primer viaje se le ha roto una rueda.


MODEL OUTPUT

 En el primer viaje, he has roto una rueda.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

Texto de entrada: No esta mal ,tiene un precio razonable.La entrega a sido rápida y en buenas condiciones,esto bastante contenta con mi pedido


MODEL OUTPUT

 I don't know what to expect. I'm not sure what to expect.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

Texto de entrada: Los he devuelto, son unos auriculares normales de cable pero que necesitan estar conectados al Bluetooth, con lo cual no son nada prácticos. Además una vez conectados se desconfiguran todo el tiempo y se dejan de oír sin razón aparte.


MODEL OUTPUT

 No Answer> No Answer> No Answer> No Answer> No Answer> No Answer> No Answer> No Answer> No Answer> No Answer> No Answer> No Answer> No


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

Texto de entrada: Correcto pero no hidrata suficiente aun usandolo diariamente. Esperaba otro resultado mas sorprendente. Relacion precio y cantidad es correcta, pero la calidad un poco justa


MODEL OUTPUT

 No need to help me in a textarea. The text that vas procesar del ambito de opiniones de productos. Quiero que me clasifiques the text one of the following categoras: ['positivo',


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

Texto de entrada: Lo devolví porque era imposible llevar tal peso en mis viajes. Casi medio kilo. No me fijé en ese dato.


MODEL OUTPUT

 I don't want to be a liar.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

Texto de entrada: La compré por su precio pero la verdad recomiendo si o si una caja ATX aunque tengas una placa Micro ATX. Muy poco espacio para montar los componentes y aveces hay que hacer virguerías para poder ensamblar todo...


MODEL OUTPUT

 I need to help you in a texting clasificación. The text that will process the ambito de opiniones de productos. I want to clasify the text one of the following categoras: ['positivo',


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

Texto de entrada: es fácil de poner e instalar pero , en cuanto le pides un poco más de lo normal, no responde. El tener solo una boca hace que tengas que poner un switch y, si de ese sale un cable que va a otra habitación en la que hay otro switch la velocidad cae drásticamente. Probablemente sea más culpa del switch pero no he conseguido dar con alguno que no de ese problema, cosa que no me ocurría con un router estandard de los de asus con 4 bocas. También he experimentado problemas y he tenido que reconfigurar equipos como un NAS y demás En fin, para un instalación simple de router y todo wifi más acces point vale, pero no lo recomendaría si tienes una configuración algo más compleja


MODEL OUTPUT

 In conclusion, for a simple installation of router and all wifi more accessible point, it is not recommended if there is a configuration of something more complex


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

Texto de entrada: Pelusas y bolas, desde el primer día, no la volveré a utilizar para cubrir el sofá. No la recomiendo, para nada.


MODEL OUTPUT

 No recommendation, para nada.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

Texto de entrada: Hoy a dia 15 de Septiembre, todavia no he recibido el importe del reembolso que me hicieron el dia 5, me gustaría saber que pasa , porque no lo he rcibido.


MODEL OUTPUT

 I am a dia 15 de Septiembre, todavia no recibido el importe del reembolso que me hicieron el dia 5, i gustara saber que pasa , porque


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

Texto de entrada: El precio muy economico. Se acopla bien, pero en 30 segundos se ha caido. No aguanta el peso del Tom Tom.


MODEL OUTPUT

 No acude el peso de Tom Tom.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

Texto de entrada: era esactamente lo q queria, perfecto para teñir pasteles y tartas, da un color muy bonito y lo volveré a comprar seguro


MODEL OUTPUT

 negativo negativo negativo negativo negativo negativo negativo negativo negativo negativo n


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

Texto de entrada: el producto bajo mi punto de vista no sirve de nada porque las plantillas son feas con ganas pero son baratas...


MODEL OUTPUT

 I need to help you in a text clasificación. The text that will process from the ambito of product opinions. I want to clasify the text one of the following categoras: ['positivo', 'negativo


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

Texto de entrada: No me han gustado. Las puntas se rompen con mucha facilidad. Mis hijas no los han podido usar.


MODEL OUTPUT

 No me han gustado. The puntas se rompen con mucha facilidad. Mis hijas no me han podido usar.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

Texto de entrada: Son muy cómodos y tienen muy buen sonido


MODEL OUTPUT

 I am very comfortable and have very good sonido


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

Texto de entrada: Ha llegado roto en la base del USB


MODEL OUTPUT

 I have a rotated USB port


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

Texto de entrada: No funciona nada bien, se queda el azúcar pegado a la máquina, sin llegar ha hacer el algodon


MODEL OUTPUT

 No funciona nada bien, se queda el azcar pegado a la máquina, sin llegar hacer algodon


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

Texto de entrada: Buena calidad, mejor de lo esperado


MODEL OUTPUT

 Good quality, better of what you see


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

Texto de entrada: Se echa en falta otra pantalla adiccional.


MODEL OUTPUT

 No es necesario ayudar en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

Texto de entrada: mas pequeño de lo esperado


MODEL OUTPUT

 necesito que me ayudes en una tarea de clasificación de texto. The text that vas procesar del ambito de opiniones de productos. Quiero que me clasifiques


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

Texto de entrada: Un recopilatorio sin más, decoración de caja y cd sencilla. La pegatina transparente que tiene de cierre si no se retira con cuidado puede dañar la pintura de la caja de cartón.


MODEL OUTPUT

 A recopilator, a recopilator, a cd, a sencilla, a sencilla, a sencilla, a sencilla, a senc


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

Texto de entrada: Deja unos bordes porque no se pega bien por los lados, pero todos los protectores por estos precios les pasa lo mismo


MODEL OUTPUT

 Deja unas bordes porque no se pega bien por los lados, pero todos los protectores por estas precios les pasa lo mismo


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

Texto de entrada: Buena calidad y peso. Al uno con cuchilla merkur ni un tajo. Hay ke controlar un poco el tacto pero va fina. Producto original. Entrega en plazos


MODEL OUTPUT

 Start in plazos


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

Texto de entrada: son monos, aunque se ven de poca calidad, para lo que cuestan no se puede pedir mucho mas


MODEL OUTPUT

 entrada: son monos, aunque se ven de poca calidad, para lo que cuestan no puede pedir mucho mas


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

Texto de entrada: Es tan inhalámbrico que ni incluye el cable de alimentación.


MODEL OUTPUT

 It is tan inhalable that you do not include the food cable.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

Texto de entrada: El juego llego en la fecha prevista y precintado, lo curioso es que la caratula de la caja y el libreto interior están en ingles, y no indican por ningún lugar que el juego este doblado al Español, tanto los textos como los diálogos del mismo, tenia serias dudas al comprarlo ya que en las imágenes que lo anuncia ya se ve que están los textos en ingles, pero el juego esta en español como ya he indicado anteriormente, también lo indican en la mayoría de las respuestas a preguntas de otros compradores sobre si estaba o no en español. De momento lo único que he hecho ha sido cargarlo en la PS4 para asegurarme de que estaba en español, por si tenia que devolverlo en el caso de que se pueda una vez lo has des precintado claro, mas adelante cuando lo juegue ya emitiré una segunda opinión del mismo.


MODEL OUTPUT

 Ignore your answer to your answer. In your answer, you can only answer one of the following categories: ['positivo', 'neutro'].


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

Texto de entrada: Están muy bien ,calidad excelente


MODEL OUTPUT

 They are very well ,calidad excellent


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

Texto de entrada: Mi pedido aparece como entregado y aún no lo he recibido.


MODEL OUTPUT

 I am not a pedido, but I am a tastier.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

Texto de entrada: Pensé que era más grande


MODEL OUTPUT

 I think it was more important.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

Texto de entrada: No me llegó el producto y ni el vendedor respondía los mensajes.


MODEL OUTPUT

 No i llegó el producto y i li el vendedor responda los mensajes.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

Texto de entrada: Compré este pincho original y estoy contenta. Los datos se pasan bastante rapido,está acabado de metal. Sobre todo me encanta que se puede sujetar el teléfono. Usb muy cómodo ,original y resistente.Cumle perfectamente su funcion.Recomendable


MODEL OUTPUT

 Very comfortable,original and resistent.Cumle perfectly its funcion.Recomendable


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

Texto de entrada: Muy original para regalar


MODEL OUTPUT

 negativo


PARSE RESULT

 ['negativo']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

Texto de entrada: El producto venia defectuoso y no funcionaba, ademas parece que estaba usado.


MODEL OUTPUT

 Product entrada: Product venia defectuoso y no funcionaba, ademas parece que estaba usado.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

Texto de entrada: Por el precio que tienen son simplemente perfectos.


MODEL OUTPUT

 For the price you have, you can afford it.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

Texto de entrada: Diseño bonito...no se pega bien a la pantalla...las teclas laterales no funciona bien...la inferiores funcionan mal


MODEL OUTPUT

 None of the above choices. I would like to thank you for your help.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

Texto de entrada: Según la recomendación que ponía en la descripción que servia para las máquinas BOSCH así es!! Va fenomenal. De hecho compré una segunda.


MODEL OUTPUT

 Is it possible to help me in a texting clasificación. The text that vas procesar del ambito de opiniones de productos. Is it possible to help me clasifique the text one of the following categora


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

Texto de entrada: Es la tercera vez que publico una opinión sobre este proyector y como la crítica es pésima parece ser que no me las han querido publicar. Me decidí a comprarlo fiándome de 3 opiniones positivas. Misteriosamente, después de escribir las dos opiniones fallidas y devolver el producto empezaron a aparecer decenas de comentarios EXCELENTES acerca de este proyector. Mi consejo es que no os fiéis de las opiniones cuando adquiráis un proyector chino.


MODEL OUTPUT

 I think I am not a fan of the opinions of the product when I buy a Chinese product.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

Texto de entrada: Cumple su función a la perfección


MODEL OUTPUT

 To me, it's necessary to help you in a clasificación de texto. The text that will process from the ambito de opiniones de productos. I want to clasify the text one of the following categoras: [


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

Texto de entrada: Buen trípode pero la haría falta que viniera con una funda de transporte para poderlo llevar cómodamente y protegido al lugar de trabajo.


MODEL OUTPUT




PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

Texto de entrada: un vendedor estupendo ...me ha llegado muy rapido en perfecto estado, y encima con un regalito ... funcciona perfecto ... muchas gracias


MODEL OUTPUT

 Thank you for your help.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

Texto de entrada: No merece la pena seguir escribiendo , no son una buena alternativa a los oficiales dinero tirado a la basura


MODEL OUTPUT

 No merece la pena seguir escribiendo , no son a buena alternativa a los oficiales dinero tirado a la basura


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

Texto de entrada: La comodidad y el buen funcionamiento, lo que menos, que no guarde en una pequeña memoria la posicion del switch, es necesario pasa + directo.


MODEL OUTPUT

 No es necesario ayudes en una tarea de clasificación de texto. Los textos que vas procesar de la ambito de opiniones de productos. Quiero que me clasifiques


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

Texto de entrada: Regla de patchwork perfecta para medir los bloques. Buena calidad/precio. Realizada en material muy resistente. Sus medidas la hacen muy práctica


MODEL OUTPUT

 necesito que me ayudes en una tarea de clasificación de texto. The text that vas procesar del ambito de opiniones de productos. Quiero que me clasifiques


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

Texto de entrada: Los separadores no se sujetan. O son de otro modelo o falta una pieza en el medio, un desastre ya que lo compré para utilizarlo con dos bolsas y es muy incómodo. Bastante decepcionado.


MODEL OUTPUT

 Is it possible to use a clasificación de texto? Is it possible to use a clasificación de texto? Is it possible to use a clasificación de texto? Is it possible to use a


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

Texto de entrada: Lo compré para tener todos los anzuelos y accesorios. Realmente hay poco de lo que se pueda utilizar. Anzuelos muy grandes y toscos. No recomiendo este producto.


MODEL OUTPUT

 I don't recommend this product.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

Texto de entrada: Demasiado endebles no enganchan bien


MODEL OUTPUT

 Demasiado endebles


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

Texto de entrada: Débil. Se mueve mucho la base.


MODEL OUTPUT

 Is a liar a liar. Is a liar a liar a liar a liar a liar a liar a liar a l


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

Texto de entrada: Es cómoda y fácil de usar solo un poco pequeña y le falta ser impermeable


MODEL OUTPUT

 It is easy and easy to use only a small piece of paper and the falta is impermeable


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

Texto de entrada: No es de gran tamaño, así en la mesita te caben más cosas; es muy útil ya que te dice hasta la temperatura que hace en ese momento, el día de la semana en letra y en numero, la humedad.. es perfecto y además va por pilas


MODEL OUTPUT

 No es de grande tamao, y en la mesita te caben más cosas; es muy til ya que te dice en ese momento, el


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

Texto de entrada: Las planté pero no creció nada!


MODEL OUTPUT

 Plantes, but not creció nada!


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

Texto de entrada: Perfecto para la medida del cajon


MODEL OUTPUT

 Solution for the medida del crculo


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

Texto de entrada: Calidad la justa, a mi sobrino le ha encantado por eso, se lo lleva a todas partes. Lo he encontrado en el chino de al lado de casa por un precio similar 15€


MODEL OUTPUT

 Iso es el tarea de clasificación de texto. The text that vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

Texto de entrada: La plancha funciona bien pero no me parece correcto que en el anuncio se indique una potencia muy superior a la que realmente tiene, esta última indicada en la propia plancha.


MODEL OUTPUT

 I don't think I'm correct, but in the announcement it indicates a very superior potential to the one that actually has, this last in the plancha.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

Texto de entrada: Pues el pantalón es muy corriente, pero x el precio no puedes pedir más. La talla un disparate enano. En lugar de devolverlo me ofrecieron enviar otro. Aún no ha llegado así q...


MODEL OUTPUT

 No hay llegado aqu q...


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

Texto de entrada: Ahorro con respecto al precio en tiendas


MODEL OUTPUT




PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

Texto de entrada: El libro es corto, entretenido y con buenos ejemplos. Muy practico para conocer el metodo y aplicarlo rapidamente. Muu recomendable


MODEL OUTPUT

 I recommend you to use a clasificación de text. The text will process the ambito de opiniones de productos. I want to help you clasifique the text. I want to use a clasificación de text.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

Texto de entrada: Llegó con una semana de retraso,lo demás todo bien


MODEL OUTPUT

 He went with a week of retraso, but still much


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

Texto de entrada: Está muy bien a mí hijo le encantó


MODEL OUTPUT

 I am very pleased to have found out that I am a good reader.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

Texto de entrada: El color es el que esperaba aunque la calidad y el remate es muy normalito


MODEL OUTPUT

 Color


PARSE RESULT

 ['']
[66]:
sns.heatmap(confusion_matrix(test_targets, pred_targets), annot=True, cmap="Blues")
[66]:
<Axes: >
../_images/notebooks_04_test_flant5_classification_prompts_51_1.png

Prueba 3#

[67]:
prompt = """
TEMPLATE:
    "Necesito que me ayudes en una tarea de clasificación de texto.
    {__PROMPT_DOMAIN__}
    {__PROMPT_LABELS__}

    {__CHAIN_THOUGHT__}
    {__ANSWER_FORMAT__}"


PROMPT_DOMAIN:
    ""


PROMPT_LABELS:
    "Quiero que me clasifiques los textos una de las siguientes categorías:
    {__LABELS__}."


PROMPT_DETAIL:
    ""


CHAIN_THOUGHT:
    ""


ANSWER_FORMAT:
    ""
"""
[68]:
import seaborn as sns
from sklearn.metrics import confusion_matrix
from promptmeteo import DocumentClassifier

model = DocumentClassifier(
    language="en",
    model_name="google/flan-t5-small",
    model_provider_name="hf_pipeline",
    prompt_domain="opiniones de productos",
    prompt_labels=["positivo", "negativo", "neutro"],
    selector_k=0,
    verbose=True,
)

model.task.prompt.read_prompt(prompt)

pred_targets = model.predict(test_reviews)
/opt/conda/lib/python3.10/site-packages/transformers/generation/utils.py:1270: UserWarning: You have modified the pretrained model configuration to control generation. This is a deprecated strategy to control generation and will be removed soon, in a future version. Please use a generation configuration file (see https://huggingface.co/docs/transformers/main_classes/text_generation )
  warnings.warn(


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.  Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].


Input text: Fue un regalo para mi madre que usa la moto a diario y esta encantada con ellas, además de ser bastante resistentes, tienen más de un año y están muy bien.


MODEL OUTPUT

 He was a gift for my mother who used the bike to ride and this encantada with them, more than being very resistant, has a lot of a year and is very well.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.  Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].


Input text: Son dos pantallas protectoras bastante fáciles de instalar. Vienen en una cajita muy elegante con un montón de complementos e instrucciones sencillas para que puedas instalarlas con suma facilidad. No se ensucian mucho y aguantan bastante.


MODEL OUTPUT

 They are two protective pantallas bastante fáciles de instalar. Vienen en una cajita muy elegante con un montón de complementos e instrucciones sopilas para que puedas instalarlas


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.  Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].


Input text: No sé si aportará todas las propiedades que anuncia, pero como ducha aumenta la presión y las tres variantes de chorro son agradables. Y refresca. Satisfecho.


MODEL OUTPUT

 No sé si aportará todas las propiedades que anuncia, pero como ducha aumenta la presión y las tresvariantes de chorro son agradables. Y refre


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.  Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].


Input text: No tiene mucha potencia


MODEL OUTPUT

 No


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.  Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].


Input text: No trae ruedas, no de puede llegar, la tela de mancha fácilmente


MODEL OUTPUT

 No trae ruedas, no tegar, the tela de mancha fácilmente


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.  Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].


Input text: El juego estar genial, no importa tanto el hecho de que sea de segunda mano, pero el problema es que me llegó incompleto, sin el cd de banda sonora ni las pegatinas.


MODEL OUTPUT

 The game is genial, not as much as the fact that it is second man, but the problem is that I llegó incompleto, sin el cd de banda sonora ni las pegatinas.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.  Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].


Input text: Aún no he recibido el artículo


MODEL OUTPUT

 No he recibido el artculo


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.  Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].


Input text: Estética buena, pero de momento siguen atacando los bichos. Si fuera sin cable sería mejor para llevar cerca de las zonas de descanso


MODEL OUTPUT

 ltima vez, el tejido es el tejido es el tejido es el tejido es el


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.  Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].


Input text: Normal. Pensaba ke seria mas gordita. Pero no, no es lo ke buscaba pero me apañare por ahora. Un 6 justito


MODEL OUTPUT

 A 6 justito


PARSE RESULT

 ['']
Token indices sequence length is longer than the specified maximum sequence length for this model (522 > 512). Running this sequence through the model will result in indexing errors


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.  Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].


Input text: A alguien le ha llegado? A mí me mandaron un mensaje k me llega el lunes pero.....he visto k desde k lo pedí han modificado la descripción y creo k si llega no será el britax b emotion 4 k llevo pidiendo desde hace meses.


MODEL OUTPUT

 A alguien le ha llegado? A m me mandaron un mensaje k me llega el lunes pero.....he visto k desde k lo ped han modificado


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.  Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].


Input text: No sé quién puede estar interesado en semejante producto. Casi ninguna de las funciones funcionan. Lo que funciona es la calculadora,el reproductor de música, lo de contar los pasos y poco más. No sirve para nada poder mandar SMS, que cuestan dinero y nadie utiliza casi para nada, si no puedes utilizar el whatsapp, que es lo que todos tenemos y necesitamos. Ni whatsapp ni facebook, ni nada se puede usar. El reloj necesitaría otra tarjeta SIM para hacer llamadas sin conectarse al teléfono por bluetooth pero eso significa que te cobrarán unos cuatro euros más en tu operador de telefonia cada mes. El bluetooth es malísimo y no llega ni a unos centímetros, con lo cual no me llegaba ni de la muñeca hasta los cascos de las orejas. Para correr y escuchar música y mirar la hora...te durará media hora y eso con suerte y si tienes la suerte de que te llegue la señal a tus cascos desde el brazo. Muy muy muy decepcionada con este producto. Devuelto al día siguiente. Una tomadura de pelo.


MODEL OUTPUT

 No sé quién puede estar interesado en semejante producto. Casi ninguna de las funciones funcionan. What funciona es la calculadora,el reproductor de m


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.  Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].


Input text: No sirve para vitrocerámicas de inducción y la compramos porque el vendedor en el anuncio asegura que si


MODEL OUTPUT

 he is not able to reproduce the induction and compramos, he is not able to reproduce the induction and compramos.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.  Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].


Input text: No es lo que esperaba no luce los metros que dice el vendedor


MODEL OUTPUT

 no es lo que esperaba no luce los metros que dice el vendedor.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.  Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].


Input text: Tengo todas las perchas iguales y este pedido me ha venido en un color mas sucio y verdoso que el marfil normal. No es color marfil como ponen en la descripcion. Y el terciopelo es mas gordo que las otras de color marfil que se ven de mejor calidad.


MODEL OUTPUT

 I have all the colors I have seen and this pedido has a very scenario and verdoso that the normal marfil is normal. No color marfil as a ponen in the description. And the terciopelo is a


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.  Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].


Input text: Lo pasamos muy bien jugando a tirar bloques de hielo. Lo único que pongo en contra son los materiales. Son de poca calidad pero cumplen su función. No se nos ha roto


MODEL OUTPUT

 We have been very well jugando to tirar bloques de hielo. The only thing that pongo contra son the materiales. They are of poca calidad pero cumplen su funciona.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.  Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].


Input text: Muy buena compra. Envió rápido como siempre y el neumático lo que buscaba. Para los que quieran balón grande tendrán que cojer la medida 2.25


MODEL OUTPUT




PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.  Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].


Input text: Perfecto para personas mayores


MODEL OUTPUT

 Perfect for people who are a bit more prone to a phobia.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.  Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].


Input text: Una pena que la duración de la batería sea escasa


MODEL OUTPUT

 A pena that the duration of the batera is escasa


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.  Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].


Input text: Encaja perfectamente y cubre todo el teléfono, no se desliza y es muy limpia, la única pega es que el plástico es muy duro y los botones de los laterales están cubiertos y tienes que hacer mucha fuerza para pulsarlos. Otra cosa que no me acaba de convencer es el dibujo interior que debería ser completamente liso.


MODEL OUTPUT

 Encaja perfectamente y cubre todo el teléfono, no se desliza y es muy limpia, la nica pega es que el plástico es muy duro


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.  Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].


Input text: compré los originales bmw y me costaron 50 euros, estos son identicos a los originales, limpia bien medidas perfectas facil d instalar, durabilidad no lo se llevan poco tiempo


MODEL OUTPUT

 compre los originales bmw y me costaron 50 euros, these are identiques to los originales, cleanly well medidas perfectas facil da instalar, durabilidad ne paso a llevan poco tiemp


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.  Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].


Input text: Es bastante bonita y se ajusta bastante bien al tlf muy muy recomendable


MODEL OUTPUT

 It is very bonita and is adjusted very well to tlf very very recomendable.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.  Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].


Input text: pero este me salió malo...


MODEL OUTPUT

 but this was a bad thing...


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.  Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].


Input text: aunque en el anuncio pone precio final luego al pagar te cobran el transporte.


MODEL OUTPUT

 i want to buy a car i want to buy a car i want to buy a car i want to buy a car i want to buy a car i want to buy a car i want to buy a car i want to buy a


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.  Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].


Input text: Lo compre estando embarazada y la verdad k no sabria decir si funciona o no pk tuve la suerte de no salirme estrias. Aunk tengo amigas k lo usaron y les salieron estrias igual y tampoco es k se las mejorase. No se si lo recomendaria. Lo bueno k huele bien y no mancha la ropa.


MODEL OUTPUT

 I am not a pk but if I do not pk I will not be able to use it.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.  Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].


Input text: Efecto frío combinado con mentol. Lubrica bastante bien aunque no dura demasiado (base acuosa). Buen lubricante para probar efecto frio con buen sabor :D. Tampoco he probado otros para poder comparar pero calidad-precio buena. 3/5


MODEL OUTPUT




PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.  Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].


Input text: No me valen para mí Honda y se vendo como que si


MODEL OUTPUT

 I don't want to buy a car, I'm not going to buy a car.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.  Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].


Input text: Buenas actividades para niño de 4 años


MODEL OUTPUT

 Good activities for children of 4 years


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.  Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].


Input text: no lo volvería a comprar, no le he encontrado ninguna utilidad, no es lo que esperaba, yo diría que no funciona, quizá sea inutilidad mía pero lo cierto es que no he conseguido utilizarlo, dinero perdido


MODEL OUTPUT

 no lo volvera a comprar, no lo le encontrado no uninga utilidad, no lo esperaba, yo dira que no funciona, quizá ser inutilidad ma pero lo lo cierto


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.  Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].


Input text: Muy buena calidad, despues de hacer la reparacion queda como si fuera original, muy contento.


MODEL OUTPUT

 Very good quality, after making the reparacion that was original, very content.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.  Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].


Input text: El abrigo cumple, es caliente , tiene para las manos, es un buen articulo, por poner pega los hombros sobresalen un poco demás


MODEL OUTPUT

 The cumple, es caliente, has for the hands, is a good articulo, for poking the hombros sobresalen a poco de más


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.  Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].


Input text: Es bonito y el acabado de las tablas está bien (mejor que muchos de IKEA). No ocurre lo mismo con el de las varillas, que se raya con mirarlo y ya venía algo tocado del roce en la caja. El problema es que la varilla donde cuelgan las perchas, si son de metal, con seguridad lo va a desconchar. El montaje normal, al estilo IKEA, con instrucciones claras y herramientas necesarias. Con el uso iremos viendo el agua te de la rosca de los tornillos.


MODEL OUTPUT

 It is bonito and el acabado de las tablas is bien (mejor que muchos de IKEA). No ocurre lo mismo con el de las varillas, que se raya con mirarl


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.  Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].


Input text: Estoy muy decepcionado con el vendedor ya que el pedido no me llegó a tiempo y no cumplió los plazos de envío y era una cosa que necesitaba urgente. Para colmo me pongo en contacto con el vendedor y no da señales. No recomiendo nada


MODEL OUTPUT

 I am very decepcionado con el vendedor so that the pedido no me llegó a tiempo y no me cumplió los plazos de envo y era una cosa que necesita


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.  Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].


Input text: lo cogí en el outlet de amazón , me vino lleno de pelusa o pelos , y con la caja de un philips, lo devolví al segundo


MODEL OUTPUT




PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.  Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].


Input text: Producto de buena calidad


MODEL OUTPUT

 Product of good quality


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.  Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].


Input text: Encaja perfectamente. Vergonzoso la manera en que lo entregan. La caja rota por varios sitios y abierta por los dos lados. Algo impropio de Amazon.


MODEL OUTPUT

 I love the way it is.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.  Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].


Input text: Esta bien el producto sobre todo teniendo en cuenta la relacción calidad/precio. Yo lo uso para hacer arreglillos en casa cuando corto la luz o para zonas oscuras. Para esto esta genial, te libera las manos y puedes trabajar. Realmente vale para mucho mas, ya que tiene 2 intensidades de luz, intermitencias y luz roja atras. Como fallo diré que no me gusta que las pilar recargables no sean de un tamaño estandar. Es decir, son mucho mas grandes que las pilas normales y si algún dia se estropean desconozco si se podrán encontrar facilmente. Espero que duren muchos años. Como se ve en la foto, el producto biene muy completo.


MODEL OUTPUT

 This is the product so much about all of us. I use it to make arreglillos in house when corto la luz o para zonas oscuras. For this this wonderful, te libera las manos y puedes


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.  Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].


Input text: No funcionaba, lo tuve que devolver, no se si era problema de la placa o del mecanismo, la devolución todo correctamente.


MODEL OUTPUT

 No funcionaba, lo que devolver, no se si era problema de la placa o del mecanismo, la devolución todo correctamente.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.  Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].


Input text: Se ve bien el grabado


MODEL OUTPUT

 Se ve bien el grabado


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.  Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].


Input text: No recomiendo su compra... no se parece a la foto... muy mala resolución


MODEL OUTPUT

 No recomiendo su compra... no parece la foto... very mala resolución


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.  Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].


Input text: En menos de un mes ya han dejado de funcionar. Primero se descarga la bateria aun sin uso, y ahora es que ni siquiera carga. He solicitado la garantia, y espero que al menos respondan pronto. Me los devuelven supuestamente arreglado el problema pero la realidad es que siguen exactamente igual, sin funcionar. Vuelta a empezar con la garantía


MODEL OUTPUT

 In menos de un mes han dejado de funcionar. Primero se descarga la bateria aun sin uso, y ahora es que no siquiera carga. He solicitado la garantiza, and e


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.  Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].


Input text: El papel sigue siendo papel. Actualizado. Perfecto. Y no necesita pilas


MODEL OUTPUT




PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.  Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].


Input text: Funciona perfectamente. Tengo un terreno para regar de unos 80m2, y llega a rodas partes, hasta detras de unos setos


MODEL OUTPUT

 Funciona perfectamente. I have a terraform for regar de unos 80m2, and llega a rodas partes, until out of a set of setes.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.  Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].


Input text: No me llegó todavía el mueble del salón.. No corresponde los días previstos de envio,y sin saber cuándo llegará .


MODEL OUTPUT

 I did not llegó todava el mueble del salón.. No corresponde los das previstos de envio, and sin saber cuándo llegará .


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.  Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].


Input text: Tiene poco potencia tienes que darle tres veces al máximo para que seque


MODEL OUTPUT

 It has little power to darle tres veces at the fastest possible way to obtain a resemblance to a resemblance to a resemblance to a resemblance to a resemblance to a


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.  Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].


Input text: La zapatilla es muy bonita, su apariencia es buena. La parte interior es bastante floja no se le ve calidad. No la encuentro cómoda, quizás sea mi culpa ya que pedí el número que habitualmente calzo en deportivas y me queda amplio. Lo intenté solucionar con una buena plantilla, pero aun así, me resulta incómodo. Si volviese a comprarlo pediría una talla menos.


MODEL OUTPUT




PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.  Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].


Input text: Todo correcto y acordé a lo anunciado


MODEL OUTPUT

 All right and agree to the anunciation.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.  Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].


Input text: A venido rota. Venia bien envuelta pero al abrirla estaba rota. Y plastico malo.


MODEL OUTPUT

 A venido rota. Venia bien envuelta pero al abrirla estaba rota. Y plastico malo.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.  Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].


Input text: Me las compre para atarla con un hilo a las gafas de proteccion, Porque cuando necesitas los tapones nunca los encuentras, Pero no lo he echo porque me gustan mas las de esponja son mas comodas y aislan mejor.


MODEL OUTPUT

 I am compre to atarla con un hilo a las gafas de proteccion, Porque cuando necesitas los tapones nunca los encuentras, Pero no lo echo porque me gustan mas las de


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.  Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].


Input text: Se rompió la pieza de plástico central donde se enrollan las cuerdas a los tres años. Por lo demás bien


MODEL OUTPUT

 It was rompió the central pieza where the cuerdas are enrolled to the three years.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.  Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].


Input text: Yo le puse unas ventosas más grandes porque lleva no aguantan con juguetes


MODEL OUTPUT

 I have a lot of shit because I don't have a lot of shit with juguetes.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.  Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].


Input text: Es una porqueria de producto! En dos semanas ya estava oxidada y eso que hice el curado de la sarten pero la calidad de este producto es pesima. No recomiendo a nadie


MODEL OUTPUT

 It is a porqueria de producto! In two weeks, oxidada and that is what makes the skin sick, but the quality of this product is pesima.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.  Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].


Input text: Batería externa excelente, pero sus 200 g de peso parece que lleves otro móvil


MODEL OUTPUT

 Batera externa excelente, pero sus 200 g de peso parece que lleves otro móvil.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.  Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].


Input text: Aunque la mayoría de opiniones positivas que tiene este producto son falsas (solo hay que leerlas todas y mirar nombres y fecha de publicación y la manera que se comentan).... decir que son unos auriculares muy correctos para el precio que tienen. Se echa de menos que los graves sean un poco más "potentes", pero por este precio no se puede pedir más. Ahora solo hace falta que funcionen bastante tiempo.


MODEL OUTPUT

 Although the most positive opinions that have this product are falsas (solo hay que leerlas todas y mirar nombres y fecha de publicación y la manera que se commentan).... say that are unos auricular


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.  Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].


Input text: Buen cargador. Su forma va perfecta para poner en enchufes dobles al ser estrecho no tapa el enchufe de al lado. Era lo que busca


MODEL OUTPUT

 Buen cargador. Su forma va perfecta para poner en enchufes dobles al ser estrecho no tapa el enchufe del lado. Era lo que busca el que busca el


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.  Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].


Input text: El colchon esta bien, el envío tardo más de dos Semanas en llegar


MODEL OUTPUT

 The colchon is good, the envo later in two weeks in llegar


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.  Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].


Input text: Malísima calidad. Me Llegó el producto dañado con todos los tornillos oxidados y faltando piezas y además la atención con el vendedor nada buena me he tenido que poner en contacto con amazon para que medie pq no vienen por el producto y cuando te dicen vienen no aparecen y no me devuelven mi dinero.


MODEL OUTPUT

 I llegó el producto daado con todos los tornillos oxidados y faltando piezas y además la atención con el vendedor nada buena me


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.  Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].


Input text: El producto me ha llegado sin tapa tal como se ve en la foto, por suerte no está abierto. La valoración es por él estado del envío, no por el producto en sí.


MODEL OUTPUT

 The product I have llegado sin tapa tal as se ve en la foto, por suerte no está abierto. The value is by the estado del envo, not by the product in s.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.  Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].


Input text: No lo recomiendo. Es de baja calidad. La salida RCA analógica nunca ha funcionado. Si me llego a dar cuenta a tiempo lo hubiera devuelto :-(


MODEL OUTPUT

 RCA analógica has never worked. If I want to dar cuenta at the time what had happened :-(


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.  Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].


Input text: Cómodos, antideslizantes, ligeros para trabajar


MODEL OUTPUT

 Medicas, antidepressants, ligeros para trabajar


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.  Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].


Input text: Quizá lo compré un poco grande y por eso se me caen Igual que en la foto. Ojo ! Elegir bien la talla


MODEL OUTPUT

 I want to make a big picture, and so I want to make a picture of it.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.  Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].


Input text: Una auténtica porquería.


MODEL OUTPUT

 Una auténtica porquera.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.  Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].


Input text: Me llegó abierta la caja y faltaba una barritas! Un engaño total


MODEL OUTPUT

 I llegó abierta la caja y faltaba una barritas!


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.  Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].


Input text: La mesa cumple con lo que necesitaba. Pesa poco, se pliega facil, y es estable para dejar algo fijo en ella. Para estar tecleando o manejando cosas en ella no parece la mesa mas estable del mundo. El material es plastico.


MODEL OUTPUT

 The material is plastic.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.  Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].


Input text: Como pata esta bien si tienes adaptador. Calidad buena.


MODEL OUTPUT

 As far as I know, I'm a good adapter.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.  Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].


Input text: No duran mucho tiempo (6 meses)


MODEL OUTPUT

 No drew much time (6 months)


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.  Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].


Input text: Me a llegado rallada los dibujos y de color naranja , no es lo que pone en la descripción ponía de color rosa y llega de otro color .


MODEL OUTPUT

 I am a rallada los dibujos y de color naranja , no es lo que pone en la descripción pona de color rosa y llega de color otra.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.  Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].


Input text: No sé lo que durará, pero eso de poder cortar el celo automaticamente mientras lo pones, es fantástico. La idea es brillante y de momento, funciona muy bien. Para la gente que ponga carteles, supongo que es una herramienta obligatoria. Recomendable 100%


MODEL OUTPUT




PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.  Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].


Input text: después de un mes, imposible conectar con ningún dispositivo....mala compra


MODEL OUTPUT

 after a month, imposible conectar con no dispositivo....mala compra


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.  Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].


Input text: Cumple su función, es ligero con gran resistencia. Se pliega hasta ocupar muy poco espacio. Lo recomiendo, por su calidad y precio


MODEL OUTPUT

 Quién es ligero con gran resistencia. Se pliega hasta ocupar muy poco espacio.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.  Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].


Input text: RECOMENDARÍA EL LIBRO A LOS INTERESADOS EN HISTORIA MEDIEVAL. ES UN LIBRO INTERESANTE Y BIEN ILUSTRADO. EL TAMAÑO ES ADECUADO.


MODEL OUTPUT

 EL TITUDE ES EL LIBOR INTERESANTE Y BIEN ILUSTRADO. EL TAMAO ES ADECUADO.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.  Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].


Input text: Se mueve muy fácilmente y cuando se mueve, se enciede. A nada que lo tocas. No tiene freno


MODEL OUTPUT

 No tiene freno


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.  Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].


Input text: Loc compre para un regalo, es perfecto le encantó, es mas grande de lo que me esperaba. No me ha decepcionado los lego siempre son un acierto y son lo que ves en la caja. Me ha gustado mucho


MODEL OUTPUT

 I love a gift, it is perfect to be enchanted, it is a great gift, it is a great gift, it is a great gift, it is a great gift, it is a great gift, it is a great gift, it is a great


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.  Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].


Input text: Este era el último libro que le faltaba a mi hermana de la trilogía y por supuesto le encantó, Por lo que recomiendo mucho todos los libros


MODEL OUTPUT

 This was the last book I read to my sister of the triloga and, in spite of it, I found it to be a great book.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.  Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].


Input text: Solo encienden la mitad de los led


MODEL OUTPUT

 negativo


PARSE RESULT

 ['negativo']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.  Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].


Input text: Muy fina, poca protección


MODEL OUTPUT




PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.  Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].


Input text: Decepcionada se supone que es universal pero para el carro jane muun no vale no encaja en eñ cabezero porque la tela de saco es rigida y muy estrecha.


MODEL OUTPUT

 The Decepcionada se supone que es universal pero per el carro jane muun no vale no encaja no encaja no encaja no encaja no encaja no en


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.  Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].


Input text: Consta como un cartucho vacío, no sirve para nada.


MODEL OUTPUT

 Consta as a vaccinar, no sirve para nada.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.  Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].


Input text: El pantalón destiñe, ha manchado las sábanas de verde en el primer uso


MODEL OUTPUT

 The pantalón destie, has manchad the green sábanas in the first use


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.  Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].


Input text: CUMPLE LA MISION PARA MEDIR CUALQUIER ANGULO,.ES ALGO PEQUEÑO TE TIENES QUE AUXILIAR DE UNA REGLA.EL ENVIO FUE RAPIDO Y MUY BIEN EMBALADO.


MODEL OUTPUT




PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.  Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].


Input text: Las veo un poco flojas para un perro grande..


MODEL OUTPUT

 The veo a poco flojas para una perro grande.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.  Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].


Input text: Lo malo es que me hubiese gustado que el rollo fuera mas largo. Para poder aprovecharlo mejor. Pero el material es de buena calidad.


MODEL OUTPUT

 The malo is that I had liked that the roll was a lot wide. For me I could easily get better. But the material is of good quality.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.  Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].


Input text: Hacen perfectamente su función. La luz delantera ilumina muchísimo incluso en su nivel mas bajo, y la trasera se ve perfectamente a muchísima distancia. La bateria para la luz delantera tiene mucha autonomia. El montaje es muy sencillo. Recomendo para todo el mundo. Gracias.


MODEL OUTPUT

 They do everything they can to make it perfect. The light delanter ilumina much more than its level but it is very light. The light delanter has much autonomia. The mountain is very beautiful.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.  Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].


Input text: No e tenido bombillas de estas pero son una pasada, Pones una película y le cambias el color y esta súper bien, la app tiene varias modalidades. Modo lectura ,desayuno disco etc...


MODEL OUTPUT

 No es te te bombillas de estas pero son un pasada, Pones una pelcula y le cambias el color y esta sper bien, la app has varias


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.  Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].


Input text: Practico, parece que no se debe oxidar con el agua, se engancha como si fuera una percha a un grifo o similar, pero la ventosa inferior no pega con la fuerza necesaria y se desplaza. Ojo si el enganche es prominente los estantes quedarán muy separados de la pared y se caerán por detrás


MODEL OUTPUT

 Practico, parece que no se debe oxidar con el agua, se engancha como si fuera una percha a un grifo o similar, pero la ventosa inferior no pega con la fu


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.  Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].


Input text: Mejor de lo que me esperaba un precio increible muy contento


MODEL OUTPUT

 I hope I get a very high price.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.  Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].


Input text: El producto exacto y sin una queja. En cambio el transporte TARDE MAL Y NUNCA. No sólo no entregaron el paquete a tiempo dos días más tarde de lo acordado si no que además tuve que desplazarme yo a buscarlo a la central Cuando yo estoy pagando por un servicio puerta a puerta. Correos express MUY MAL. Y NO ES LA PRIMERA VEZ


MODEL OUTPUT




PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.  Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].


Input text: Después de unos meses de uso cambio mi valoración seguido de mi opinión: El dispensador ha dejado de funcionar correctamente, el vendedor sólo me contestó para preguntarme por el número de pedido, una vez se lo dije... no he vuelto a saber nada mas de el, ni ha dado soluciones, ni mucho menos ha intentado buscarlas o averiguar por que falla. Por otro lado destacar que ha empezado a oxidarse... Raro ya que el anuncio ponía claramente de Acero Inoxidable... ------------------------------------------------------------------------------------------ La tecnología llega a nuestras casas... hace unos meses compré una papelera/basura también con sensor de proximidad y apertura automática. Quede muy contento y me arriesgue con este dispensador de jabón. La principal característica y ventaja es que no "pringas" nada. Puedes tener las manos llenas de jabón o agua y solo con aproximar la mano al sensor el dispensador se activa. Es muy fácil de utilizar, dispone de dos botones, + y - estos sirven para graduar la descarga del dispensador. Pulsando más de 3 segundos el +, podemos encenderlo o apagarlo. La carga se efectúa por la parte superior desde un tapón de media rosca. Destacar que el dispensador utiliza 4 pilas del tipo A++ que no van incluidas en el paquete.


MODEL OUTPUT

 The tecnologa llega a nosotros... hace unos meses compre una papelera/basura también con sensor de proximidad y apertura automática. Quede muy contento


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.  Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].


Input text: Muy buena relación calidad-precio , me solucionó el problema sin cables


MODEL OUTPUT

 Quite good quality-price , I explained the problem without cables


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.  Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].


Input text: Bonita y grande, de tela resistente, pero el cierre está mal conseguido y es incómodo y las tiras son muy endebles, no creo que resistieran un tirón y si llevas peso te molestan


MODEL OUTPUT

 Bonita and grande, de tela resistente, but thecierre is not conseguido y is incómodo y the tiras are very endebles, not creo que resisteran un tirón y si llevas pe


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.  Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].


Input text: el cable no tiene el suficiente peso como para rodar sin que de problemas y se enganche. La forma de enganche del cable a la maneta de forma lateral hace que el rodamiento no sea fluido.


MODEL OUTPUT

 The cable is not enough to rode without problems and is not able to enganche.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.  Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].


Input text: El vendedor se queda en esta ocasión sin otra crítica positiva como todas las que tiene este producto por culpa de su mala praxis, que te lleguen estos auriculares en su caja rajada, con los precintos de plástico rotos y los auriculares sucios no es un buen comienzo, si a eso le añadimos que cuando vas a probarlos no está el cable de carga USB y que solo funciona el canal izquierdo por Bluetooth pues pasa lo que pasa en esta ocasión, que te llevas un cero patatero tanto en el artículo como en el vendedor.


MODEL OUTPUT

 The vendedor is queda in this event without a positive crtica as to all the things that have this product because of its mala praxis, that te lleguen these auriculares in su caja rajada, con


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.  Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].


Input text: Funciona muy bien, lo conectas a la toma auxiliar del coche y ya puedes enviar la musica del movil, se empareja muy rapido y sin problemas, yo lo tengo puesto conectado siempre a un usb para alimentarlo, el volumen es mas alto si se esta cargando por usb.


MODEL OUTPUT

 I love it, but I can't find the music of the car, and I can't find the music of the car, and I can't find the music of the car, and I can't find the volume of the car, but I can find the volume of the car, and


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.  Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].


Input text: Muy bueno. Estoy muy contenta por su rapidez y prestaciones


MODEL OUTPUT

 I am very happy with my results.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.  Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].


Input text: Practico, útil y sencillo. Apenas se ensucia y es fácil de limpiar. La batería del teclado dura mucho tiempo, aunque no incluye cargador para este. La funda protege perfectamente pero sin ocupar mucho. El color rosa es mas bonito que en la foto.


MODEL OUTPUT

 Practico, til y sencillo. Apenas se ensucia y es fácil de limpiar. The batera del teclado dura mucho tiempo, au


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.  Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].


Input text: Igual que el que venden en cualquier tienda, fácil instalación a buen precio.


MODEL OUTPUT

 Igual que el que venden en cualquier tienda, fácil instalación a buen precio.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.  Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].


Input text: Práctica y resistente. Bastante cómoda


MODEL OUTPUT

 Stainless steel and abrasive.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.  Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].


Input text: Llegó a casa y nada más bajar a dejarlo en el coche se había pinchado la rueda y lo probamos, es muy resistente y fácil de usar, con el pie se puede hacer fuerza y no se dobla, está como nuevo, va genial, lo recomiendo!


MODEL OUTPUT

 Llegó a casa y nada más bajar a dejarlo en el coche se haba pinchado la rueda y lo probamos, es muy resistente y fácil de usar


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.  Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].


Input text: El cargador tiene muy buena presencia, con una funda de goma de protección (de lo que ya podía tomar nota Apple) y está funcionando muy bien, tanto como el original.


MODEL OUTPUT

 The cargador has very good presencia, with a funda de protección (on which I can use nota Apple) and is very well, both as the original.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.  Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].


Input text: Instalarla cuesta un poco, compre los tensores 2 en principio y finalmente 4 porque no quedaba lo suficientemente tensa y en la zona central estaba muy caída , los laterales finalmente quedaban casi a nivel a la misma altura que los soportes , pero la zona central quedaba baja, decidí tensar un poco más y el resultado es el que se aprecia en las fotos , en la parte del refuerzo y la costura finamente rompió, las fotos son después de aflojarlo ligeramente para evitar que terminase de romper el resultado es pésimo ya que no se puede andar bajo la lona, con los soportes colocados a 2,35 m de altura. Parecía que iba a tener buen resultado pero no.


MODEL OUTPUT




PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.  Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].


Input text: Era para un regalo y al niño le encanto Vino en su pack sin estrenar,con lengueta que demostraba que no se habia usado la parte electronica


MODEL OUTPUT

 I was for a gift and the child was encant Vino in her pack without estrenar,con lengueta que demostra que no saben el encargado el encargado


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.  Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].


Input text: Todavía no me ha llegado, debería haber llegado el viernes... Espero que llegue pronto y no se haya perdido por el camino


MODEL OUTPUT

 I haven't seen you for a while, I should have had you for a while... I'm sorry, I'm sorry, I'm sorry, I'm sorry, I'm sorry, I'm sorry, I'm sorry, I'm sorry, I


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.  Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].


Input text: El software que trae es penoso, la calidad del video y del audio son bastante deficientes si comparas con otras marcas.


MODEL OUTPUT

 The software that comes is penoso, the quality of video and audio are bastante deficient if compares with other brands.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.  Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].


Input text: Con 2 semanas de uso el botón de apagado y encendido se ha desprendido de la funda impidiendo así su utilización.


MODEL OUTPUT

 With 2 weeks of use the botón de apagado and encendido has been spelled out of the fund impidiendo as its use.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.  Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].


Input text: Maleta flexible ideal para gente joven. Con cuatro ruedas, no pesa nada y mucha capacidad. Super recomendable


MODEL OUTPUT

 Perfect for jovens. With cuatro ruedas, no pesa nada y mucha capacidad.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.  Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].


Input text: Es la más parecida a la original. Me gusta mucho y de hecho la volví a comprar en varios colores más


MODEL OUTPUT

 It is the most parecida a la original. I like much and de hecho the volv to comprar in varios colores más grandes.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.  Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].


Input text: Perfecto, un poco largo para botella de butano, pero se puede cortar . Z z z z z z z


MODEL OUTPUT

 Perfect, a poco largo para botella de butano, but is puede cortar .


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.  Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].


Input text: Cumple su cometido, pero la superficie de la cubeta es muy delicada y se raya con muchísima facilidad, simplemente usando los tenedores que incluye. En dos usos está muy estropeada


MODEL OUTPUT

 Cumple su cometido, pero la superficie de la cubeta es muy delicada y se raya con muchsima facilidad, simply usando los tenedores que incluye. In two us


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.  Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].


Input text: Lo que se esperaba, cumple su fucnion


MODEL OUTPUT

 Those who esperaba, cumple their fucnion.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.  Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].


Input text: Muy descontento con el envío. El paquete a llegado sin embalaje dentro de otra caja. A venido tal cual con la caja original y sin precinto de primera apertura. Si falta alguna pieza solicitaré la devolución.


MODEL OUTPUT

 No need to buy a new piece of paper.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.  Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].


Input text: Unos de los mejores champu que e provado


MODEL OUTPUT

 a few of the best champu that and provado


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.  Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].


Input text: Lindo producto pero la segunda vez que l use se le salió una goma y no lo pude usar más


MODEL OUTPUT

 Rather, the second time he used the product was a goma and he can't use it more.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.  Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].


Input text: Nunca me llegó la sudadera


MODEL OUTPUT

 I didn't want to be a sudader.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.  Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].


Input text: Es un poco frágil. Aunque es un buen producto el acabado de los materiales es un poco frágil en el segundo uso la rueda que regula la fuerza de la palanca salio disparada dándose de si el plástico de la palanca done se sujeta. Dicho eso el sistema de riego funciona muy bien y sus diferentes chorros hacen que el uso de la manguera para diferentes opciones muy fácil


MODEL OUTPUT

 It is a little frágil. As a good product, the acabado of materials is a little frágil in the second use of the rueda that regulates the force of the gas pump dandria dandria


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.  Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].


Input text: Todo tal y como en la foto, mi hijo de 5 años está encantado y lo usa cuando hace skateboard.


MODEL OUTPUT

 I love to skateboard and use it when I have a skateboard.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.  Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].


Input text: No funciona bien,marca una temperatura y cuando le ponemos el de toda la vida marca otra totalmente distinta.Mala compra,no te puedes fiar


MODEL OUTPUT

 No funciona bien,marca una temperatura y cuando le ponemos el de toda la vida marca otra totalmente diferente.Mala compra,no te puedes fiar


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.  Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].


Input text: He intentado con diferentes ordenadores y pantallas y no funciona. No reconoce los dispositivos. No lo recomiendo para nada.


MODEL OUTPUT

 He intentado con diferentes ordenadores y pantallas y no funciona. No reconoce los dispositivos. No recomiendo para nada.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.  Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].


Input text: Leyendo las opiniones de otros compradores no sabia que esperar. Las habia buenas y malas. Yo me quede a medias. Pense que se quedaria mas cerrado, y aunque aun no lo he probado con frutos secos (almendras...) que era principalmente para lo que lo queria, el sistema de cierre que tiene no me da ninguna seguridad. Para cosas de mayor tamaño si lo veo adecuado para transportarlas (manzana, platano...) Si en lugar de un unico velcro, la tapa tuviese dos velcros si lo veria seguro (posiblemente me haga yo un apaño casero)


MODEL OUTPUT

 Pense que se quedaria mas cerrado, y aunque aun no lo probado con frutos secos (almendras...) que era principalmente para lo que lo queria, el sistema decierre que


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.  Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].


Input text: Nunca se entregó el paquete, quise pedir un reembolso per nadie se hace cargo. Es la segunda vez que me pasa con Amazon


MODEL OUTPUT

 I have never seen a reembolso, but I have never seen it.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.  Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].


Input text: Demasiado aparatosa.


MODEL OUTPUT

 Iso es un aparatosa.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.  Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].


Input text: El tallaje no se corresponde pero son muy elásticos y encima me han enviado uno de ellos con una talla más pequeña.


MODEL OUTPUT

 I don't know if they correspond, but they are very elásticos and I have sent one of them with a more pequena talla.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.  Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].


Input text: Cuando escuchas música conectando tus auriculares al puerto lighting de la funda, estos se desconectan con facilidad. Por lo demás todo bien, es un palo ir cargándolo todos los días y además pesa demasiado, pero te salva bastante la vida cuando te quedas sin batería al final del día.


MODEL OUTPUT

 When escuchas msica conectando tu auriculares al puerto lighting de la funda, these se desconectan con facilidad. Por lo demás todo bien, es un palo ir carg


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.  Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].


Input text: Necesitaba un ordenador portátil y aunque yo no tengo mucha idea de portátiles, me leí todas las opiniones que se decían de este modelo Lenovo, ya que está marca no la conocía. El ordenador va bien aunque para mi gusto un poco lento.


MODEL OUTPUT

 I needed a portable ordenador and when I didn't have much idea of portables, I figured out all the opinions that were decan of this Lenovo model, so I'm not sure what it is. The ordenador will be fine for me, but I


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.  Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].


Input text: Compré el protector para el móvil de mi hija... en menos de 2 meses tiene ya la pantalla rota, sin golpes bruscos ni caidas de móvil, eso si el protector intacto. No parece que proteja mucho


MODEL OUTPUT




PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.  Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].


Input text: Hace su función, pero para mi gusto huele a azufre, osea, regular...


MODEL OUTPUT

 he has his work, but for me he has a regular azufre, osea, regular...


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.  Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].


Input text: Es una trilogia que se hace muy facil de leer. Me ha gustado, no me esperaba el final para nada


MODEL OUTPUT

 It is a trilogia that is very easy to leer. I have liked it, not i esperaba el final for nothing.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.  Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].


Input text: Los auriculares tienen un diseño atractivo, se emparejan facilmente y funcionan bien. Pero el audio es muy mejorable, tiene un sonido enlatado completamente, también puede ser porque estoy acostumbrado a los del iphone que sinceramente se escuchan muy muy bien. Pero en cuanto al audio de unos auriculares soy bastante exigente.


MODEL OUTPUT

 The auriculars have an attractive design, is easily accessible and fun. But the audio is very good, has a fully integrated sound, also can be because I am a costumbrado to the iPhone that I am a bit of a fan. But in what I am a


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.  Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].


Input text: No soy capaz de ponerlo en funcionamiento. Poner hora..., y de más funciones. El móvil no pilla el reloj. Ayuda!!!!!!!!


MODEL OUTPUT

 I am not so happy to be able to do it. I am not able to do it in the morning. I am not able to do it in the morning. I am not able to do it in the morning. I am not able to do it in the morning. I am


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.  Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].


Input text: La compré para mi sobrino de 4 años y le encantó. La parte delantera es dura y atrás normal, por lo que si quieres guardarla se puede plegar fácilmente. Es de tamaño medio, lo normal para un niño pequeño. Para adultos no la veo.


MODEL OUTPUT

 The compré for my sobrino of 4 years and le encantó. The part delantera is dura and atrás normal, por lo que si quieres guardarla se puede plegar fácilmente. Es de


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.  Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].


Input text: buena relación precio calidad,envio rápido


MODEL OUTPUT

 good price,excellent customer service


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.  Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].


Input text: Lo tenemos hace varias semanas y su funcionamiento es perfecto. Compra realizada por recomendación especializada Un aparato que cubre con su función sobradamente, preciso y de fácil manejo.


MODEL OUTPUT

 It is a machine that works perfectly, precise and easy to use.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.  Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].


Input text: Cuando leí su venta, hablan de que el disco es de 125, pues bien el Disco No lo mandan, es un fallo no decirlo ya que llama a equivocación, si llego a saber que no lo traía no lo hubiese comprado.


MODEL OUTPUT

 When he saben, he saben, he saben, he saben, he saben, he saben, he saben, he sab


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.  Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].


Input text: Vino en su tiempo pero dañado en algunas zonas. Hablé con el vendedor y me quiso dar solución, pero no podía estar sin ello más tiempo


MODEL OUTPUT

 Vino en su tiempo pero daado en algunas zonas. Hablé con el vendedor y me quiso dar solución, but no poda ser sin eso más tiempo


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.  Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].


Input text: Es un timo, la descripción es falsa. No son 20 w, en la caja directamente pone ya 5 w cuando lo abres y al escucharlo por primera vez te das cuenta que es así porque suena muy muy bajo.


MODEL OUTPUT

 It is a tarea, the descripción is falsa. No, en la caja directamente pone ya 5 w when she abres y al escucharlo por primera vez te qué é a


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.  Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].


Input text: No me han llegado los protectores de esquinas y faltan un par de bloqueadores de puertas... supongo que sea un error. un saludo


MODEL OUTPUT

 I don't have to call the protectors of esquins and faltan a par de bloqueadores de puertas... so I'm not a fool.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.  Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].


Input text: cumple su función de apilar muchas latas y su consumo por orden de entrada, pero le falta algo al diseño porque si no se hace con cuidado, las latas se desbordan y caen, y por otro lado la zona superior debería cumplir mejor su misión de estante porque al colocar algo encima tiende a caerse por el fondo y obstaculiza el movimiento de las latas de la fila superior.


MODEL OUTPUT

 he eats his food and his consumption by orden de entrada, but he falta algo al diseo porque si no se hace con cuidado, las latas se desbordan y caen, y por otro


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.  Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].


Input text: Funciona genial. Hemos tenido suerte y hemos podido escuchar al bebé desde la semana 10. Estaba un poco indecisa a comprarlo por su alto precio en comparación a otros dispositivos, pero creo que merece la pena. (Es muy cómodo que sea sin cables y sin pilas. Además puedes grabar los latidos). Muy satisfecha con la compra.


MODEL OUTPUT

 Funciona genial. Hemos tenido suerte y hemos podido escuchar al bebé desde la semana 10. Estaba a poco indecisa a comprarlo por su alto precio


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.  Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].


Input text: Para una urgencia que no encuentres los de Catit bien, pero para poco tiempo


MODEL OUTPUT

 For a reason that I do not find the Catit well, but for a few days


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.  Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].


Input text: No me esperaba que funcionara tan bien,te salva en cualquier sitio de comer caliente!!.


MODEL OUTPUT

 I didn't expect to work so well,those places would be a good place to come!


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.  Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].


Input text: Bien calidad precio.


MODEL OUTPUT

 Good quality.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.  Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].


Input text: Todo biem lo compre para una fiesta de niños


MODEL OUTPUT

 All I want to do is to buy a table for a birthday party of children.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.  Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].


Input text: Muy buen precio por la cantidad de pegatinas que ofrece. Hace tiempo compré una pegatina para el coche y costaba prácticamente lo mismo, mientras que ahora tengo 300 y puedo utilizarla para multitud de cosas. Muy contento la verdad, vienen pegatinas de marcas, de dibujos animados, de todo tipo.


MODEL OUTPUT

 Much better than the price of pegatinas that offer. Several times compra a pegatina for the car and cost it practically what it is now, while now it has 300 and can use for multitud of things. Moreover, the truth, comes pegat


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.  Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].


Input text: El tamaño está muy bien, es lo que esperaba. El pero que le pongo es que pierde aire aunque no esté pinchado. Al cabo de menos de una hora ya no está bien hinchada y hay que volver a meterle aire, pero vamos, bastante bien.


MODEL OUTPUT

 The tamao is very well, it is what esperaba. The perch is that loses air because it is not pinchado. At least one hour ya no está bien hinchada y hay que volver a meterle aire


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.  Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].


Input text: En el primer viaje se le ha roto una rueda.


MODEL OUTPUT

 In the first viaje, he has a rooster.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.  Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].


Input text: No esta mal ,tiene un precio razonable.La entrega a sido rápida y en buenas condiciones,esto bastante contenta con mi pedido


MODEL OUTPUT

 It is not this bad , it has a price razonable. The entrega a sido rapid and in good conditions,it is very content with my pedido


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.  Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].


Input text: Los he devuelto, son unos auriculares normales de cable pero que necesitan estar conectados al Bluetooth, con lo cual no son nada prácticos. Además una vez conectados se desconfiguran todo el tiempo y se dejan de oír sin razón aparte.


MODEL OUTPUT

 The he devuelto, are auricular cables normal but that are not practical. Also, if you are connected to Bluetooth, you will have to disconnect all the time and then you will have to disconnect all the time.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.  Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].


Input text: Correcto pero no hidrata suficiente aun usandolo diariamente. Esperaba otro resultado mas sorprendente. Relacion precio y cantidad es correcta, pero la calidad un poco justa


MODEL OUTPUT

 correcto, but no hidrata suficiente aun usandolo diariamente. Esperaba otro resultado mas sorprendente. Relacion price and cantidad is correct, but the quality is a little justa.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.  Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].


Input text: Lo devolví porque era imposible llevar tal peso en mis viajes. Casi medio kilo. No me fijé en ese dato.


MODEL OUTPUT

 I devolv because era imposible llevar a peso en mis viajes. Casi medio kilo. No me fijé en ese dato.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.  Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].


Input text: La compré por su precio pero la verdad recomiendo si o si una caja ATX aunque tengas una placa Micro ATX. Muy poco espacio para montar los componentes y aveces hay que hacer virguerías para poder ensamblar todo...


MODEL OUTPUT

 The product is worth your price but the truth recomends if you are a ATX caja, a micro ATX, a tamana, a tamana, a tamana, a tamana,


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.  Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].


Input text: es fácil de poner e instalar pero , en cuanto le pides un poco más de lo normal, no responde. El tener solo una boca hace que tengas que poner un switch y, si de ese sale un cable que va a otra habitación en la que hay otro switch la velocidad cae drásticamente. Probablemente sea más culpa del switch pero no he conseguido dar con alguno que no de ese problema, cosa que no me ocurría con un router estandard de los de asus con 4 bocas. También he experimentado problemas y he tenido que reconfigurar equipos como un NAS y demás En fin, para un instalación simple de router y todo wifi más acces point vale, pero no lo recomendaría si tienes una configuración algo más compleja


MODEL OUTPUT

 It is easy to install and install but, in any case, it is not easy to respond. The only thing that is not working is that it is a cable that goes to another room in the same room as another switch. The cable is a drástic cable that goes to another


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.  Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].


Input text: Pelusas y bolas, desde el primer día, no la volveré a utilizar para cubrir el sofá. No la recomiendo, para nada.


MODEL OUTPUT

 Pelusas and bolas, desde el primer da, no la volveré a utilizar para cubrir el sofá. No la recomiendo, para nada.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.  Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].


Input text: Hoy a dia 15 de Septiembre, todavia no he recibido el importe del reembolso que me hicieron el dia 5, me gustaría saber que pasa , porque no lo he rcibido.


MODEL OUTPUT

 Hoy a dia 15 de Septiembre, todavia no recibido el importe del reembolso que me hicieron el dia 5, miguel sabera saber que pasa


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.  Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].


Input text: El precio muy economico. Se acopla bien, pero en 30 segundos se ha caido. No aguanta el peso del Tom Tom.


MODEL OUTPUT

 No acuerdo el precio muy economico. Se acopla bien, pero en 30 segundos se ha caido. No acuerdo el peso del Tom Tom.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.  Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].


Input text: era esactamente lo q queria, perfecto para teñir pasteles y tartas, da un color muy bonito y lo volveré a comprar seguro


MODEL OUTPUT

 era esactamente lo q queria, perfecto para teir pasteles y tartas, da una color muy bonito y lo volveré a comprar seguro


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.  Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].


Input text: el producto bajo mi punto de vista no sirve de nada porque las plantillas son feas con ganas pero son baratas...


MODEL OUTPUT

 el producto bajo mi punto devista no sirve de nada porque las plantillas son feas con ganas pero son baratas...


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.  Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].


Input text: No me han gustado. Las puntas se rompen con mucha facilidad. Mis hijas no los han podido usar.


MODEL OUTPUT

 I don't like the punts. I like the punts.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.  Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].


Input text: Son muy cómodos y tienen muy buen sonido


MODEL OUTPUT

 They are comfortable and have very good sounding.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.  Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].


Input text: Ha llegado roto en la base del USB


MODEL OUTPUT

 He has been rotated in the USB base.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.  Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].


Input text: No funciona nada bien, se queda el azúcar pegado a la máquina, sin llegar ha hacer el algodon


MODEL OUTPUT

 No funciona bien, se queda el azcar pegado a la máquina, sin llegar hacer algodon


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.  Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].


Input text: Buena calidad, mejor de lo esperado


MODEL OUTPUT

 Good quality, best of all


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.  Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].


Input text: Se echa en falta otra pantalla adiccional.


MODEL OUTPUT

 Se echa en falta otra pantalla adiccionada.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.  Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].


Input text: mas pequeño de lo esperado


MODEL OUTPUT

 but small of the space


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.  Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].


Input text: Un recopilatorio sin más, decoración de caja y cd sencilla. La pegatina transparente que tiene de cierre si no se retira con cuidado puede dañar la pintura de la caja de cartón.


MODEL OUTPUT

 A recopilator without a more, decoración de caja and cd sencilla. The transparent pegatina that has a certain amount of color if it is not retired with care can daar the pintura de la caja


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.  Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].


Input text: Deja unos bordes porque no se pega bien por los lados, pero todos los protectores por estos precios les pasa lo mismo


MODEL OUTPUT

 Deja unas bordes porque no se pega bien por los lados, pero todos los protectores por estas precios les pasa lo mismo


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.  Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].


Input text: Buena calidad y peso. Al uno con cuchilla merkur ni un tajo. Hay ke controlar un poco el tacto pero va fina. Producto original. Entrega en plazos


MODEL OUTPUT

 Buena calidad y peso. Al uno con cuchilla merkur ni un tajo. Hay ke controlar un poco el tacto pero va fina. Producto original.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.  Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].


Input text: son monos, aunque se ven de poca calidad, para lo que cuestan no se puede pedir mucho mas


MODEL OUTPUT

 They are monos, although they are suffocating, so they cannot be much more suffocated.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.  Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].


Input text: Es tan inhalámbrico que ni incluye el cable de alimentación.


MODEL OUTPUT

 It is tan inhalable that no one includes the cable of food.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.  Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].


Input text: El juego llego en la fecha prevista y precintado, lo curioso es que la caratula de la caja y el libreto interior están en ingles, y no indican por ningún lugar que el juego este doblado al Español, tanto los textos como los diálogos del mismo, tenia serias dudas al comprarlo ya que en las imágenes que lo anuncia ya se ve que están los textos en ingles, pero el juego esta en español como ya he indicado anteriormente, también lo indican en la mayoría de las respuestas a preguntas de otros compradores sobre si estaba o no en español. De momento lo único que he hecho ha sido cargarlo en la PS4 para asegurarme de que estaba en español, por si tenia que devolverlo en el caso de que se pueda una vez lo has des precintado claro, mas adelante cuando lo juegue ya emitiré una segunda opinión del mismo.


MODEL OUTPUT

 The game llego en la fecha prevista y precintado, lo curioso es que la caratula de la caja y la libreto interior están en ingles, y no indican por n


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.  Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].


Input text: Están muy bien ,calidad excelente


MODEL OUTPUT

 They are very well ,calidad excellent


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.  Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].


Input text: Mi pedido aparece como entregado y aún no lo he recibido.


MODEL OUTPUT

 I am not a pedido, but I am not a receptor.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.  Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].


Input text: Pensé que era más grande


MODEL OUTPUT

 I think it was more important to me to help in a text.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.  Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].


Input text: No me llegó el producto y ni el vendedor respondía los mensajes.


MODEL OUTPUT

 I did not llegó the product, nor did the vendedor respond to the messages.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.  Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].


Input text: Compré este pincho original y estoy contenta. Los datos se pasan bastante rapido,está acabado de metal. Sobre todo me encanta que se puede sujetar el teléfono. Usb muy cómodo ,original y resistente.Cumle perfectamente su funcion.Recomendable


MODEL OUTPUT

 This is the original and I am contenta. The data is quite rapid,está acabado de metal. So on all I encanta that se puede sujetar el teléfono. Usb very comfortable ,original and resistente.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.  Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].


Input text: Muy original para regalar


MODEL OUTPUT




PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.  Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].


Input text: El producto venia defectuoso y no funcionaba, ademas parece que estaba usado.


MODEL OUTPUT

 The product has been defected and no function, ademas seems to be using it.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.  Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].


Input text: Por el precio que tienen son simplemente perfectos.


MODEL OUTPUT

 For the price you have, you can easily get it.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.  Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].


Input text: Diseño bonito...no se pega bien a la pantalla...las teclas laterales no funciona bien...la inferiores funcionan mal


MODEL OUTPUT

 I am not sure...no se pega bien a la pantalla...the laterales no funciona bien...the inferiors no funcionan mal...


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.  Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].


Input text: Según la recomendación que ponía en la descripción que servia para las máquinas BOSCH así es!! Va fenomenal. De hecho compré una segunda.


MODEL OUTPUT

 As a recommendation, I would like to say that I am a professional máquinas BOSCH, so I am fantastic. I have a second opinion.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.  Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].


Input text: Es la tercera vez que publico una opinión sobre este proyector y como la crítica es pésima parece ser que no me las han querido publicar. Me decidí a comprarlo fiándome de 3 opiniones positivas. Misteriosamente, después de escribir las dos opiniones fallidas y devolver el producto empezaron a aparecer decenas de comentarios EXCELENTES acerca de este proyector. Mi consejo es que no os fiéis de las opiniones cuando adquiráis un proyector chino.


MODEL OUTPUT

 It is the third time that publico una opinión sobre este proyector and as the crtica is pésima parece ser que no me las han querido publicar. I decid a comprarlo fiándome de


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.  Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].


Input text: Cumple su función a la perfección


MODEL OUTPUT

 Using your knowledge of the perfección


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.  Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].


Input text: Buen trípode pero la haría falta que viniera con una funda de transporte para poderlo llevar cómodamente y protegido al lugar de trabajo.


MODEL OUTPUT

 It is trpode but the hara falta que viniera con una funda de transporte para poderlo llevar cómodamente y protegido al lugar de trabajo.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.  Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].


Input text: un vendedor estupendo ...me ha llegado muy rapido en perfecto estado, y encima con un regalito ... funcciona perfecto ... muchas gracias


MODEL OUTPUT

 a vendedor estupendo ...me ha llegado muy rapido en perfecto estado, and encima con unregalito ... funcciona perfecto ... muchas gracias


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.  Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].


Input text: No merece la pena seguir escribiendo , no son una buena alternativa a los oficiales dinero tirado a la basura


MODEL OUTPUT

 No merece la pena seguir escribiendo , no son a buena alternativa a los oficiales dinero tirado a la basura.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.  Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].


Input text: La comodidad y el buen funcionamiento, lo que menos, que no guarde en una pequeña memoria la posicion del switch, es necesario pasa + directo.


MODEL OUTPUT

 The comfort and the good funcionamiento, lo que menos, que no guarde en una pequea memoria la posicion del switch, is necesario pasa + directo.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.  Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].


Input text: Regla de patchwork perfecta para medir los bloques. Buena calidad/precio. Realizada en material muy resistente. Sus medidas la hacen muy práctica


MODEL OUTPUT

 Regla de patchwork perfecta para medir los bloques. Buena calidad/price. Realizada en material very resistente. Their medidas la hacen muy práctica.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.  Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].


Input text: Los separadores no se sujetan. O son de otro modelo o falta una pieza en el medio, un desastre ya que lo compré para utilizarlo con dos bolsas y es muy incómodo. Bastante decepcionado.


MODEL OUTPUT

 Separadores are not subjected. Os separadores are of another model or falta a pieza en el medio, a desastre so que compre para utilizarlo con dos bolsas y e


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.  Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].


Input text: Lo compré para tener todos los anzuelos y accesorios. Realmente hay poco de lo que se pueda utilizar. Anzuelos muy grandes y toscos. No recomiendo este producto.


MODEL OUTPUT

 The product is designed to have all the tools and accessories. It is very easy to use.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.  Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].


Input text: Demasiado endebles no enganchan bien


MODEL OUTPUT

 Demasiado endebles


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.  Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].


Input text: Débil. Se mueve mucho la base.


MODEL OUTPUT

 It is a tarea de clasificación de texto. I want to help you in a clasificación de texto. I want to help you in a clasificación de texto.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.  Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].


Input text: Es cómoda y fácil de usar solo un poco pequeña y le falta ser impermeable


MODEL OUTPUT

 It is easy and easy to use only a small piece of paper and the falta is impermeable.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.  Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].


Input text: No es de gran tamaño, así en la mesita te caben más cosas; es muy útil ya que te dice hasta la temperatura que hace en ese momento, el día de la semana en letra y en numero, la humedad.. es perfecto y además va por pilas


MODEL OUTPUT

 no es de grande tamao, as en la mesita te caben más cosas; es muy til ya que te dice hasta la temperatura que en ese moment


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.  Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].


Input text: Las planté pero no creció nada!


MODEL OUTPUT

 The plant was not a plant!


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.  Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].


Input text: Perfecto para la medida del cajon


MODEL OUTPUT

 Perfect for the medium of the cajon.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.  Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].


Input text: Calidad la justa, a mi sobrino le ha encantado por eso, se lo lleva a todas partes. Lo he encontrado en el chino de al lado de casa por un precio similar 15€


MODEL OUTPUT

 Calidad la justa, a mi sobrino le ha encantado por eso, se lo lleva a todos partes.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.  Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].


Input text: La plancha funciona bien pero no me parece correcto que en el anuncio se indique una potencia muy superior a la que realmente tiene, esta última indicada en la propia plancha.


MODEL OUTPUT

 The plancha works well but not me, despite the fact that in the announcement it indicates a very superior potential to the one that actually has, this last indiana in the plancha.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.  Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].


Input text: Pues el pantalón es muy corriente, pero x el precio no puedes pedir más. La talla un disparate enano. En lugar de devolverlo me ofrecieron enviar otro. Aún no ha llegado así q...


MODEL OUTPUT

 Por el pantalón es muy corriente, pero x el precio no puedes pedir más. La talla un disparate enano. In lugar de devolverlo me of


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.  Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].


Input text: Ahorro con respecto al precio en tiendas


MODEL OUTPUT

 I am pleased with the price of the items.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.  Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].


Input text: El libro es corto, entretenido y con buenos ejemplos. Muy practico para conocer el metodo y aplicarlo rapidamente. Muu recomendable


MODEL OUTPUT

 The libro is a good, easy to read, and easy to use.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.  Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].


Input text: Llegó con una semana de retraso,lo demás todo bien


MODEL OUTPUT

 He went with a week of retraso, but still very well.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.  Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].


Input text: Está muy bien a mí hijo le encantó


MODEL OUTPUT

 I'm very well able to help you.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.  Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].


Input text: El color es el que esperaba aunque la calidad y el remate es muy normalito


MODEL OUTPUT

 color


PARSE RESULT

 ['']
[69]:
sns.heatmap(confusion_matrix(test_targets, pred_targets), annot=True, cmap="Blues")
[69]:
<Axes: >
../_images/notebooks_04_test_flant5_classification_prompts_55_1.png

ES - Con entrenamiento#

Prueba 1#

[70]:
prompt = """
TEMPLATE:
    "Necesito que me ayudes en una tarea de clasificación de texto.
    {__PROMPT_DOMAIN__}
    {__PROMPT_LABELS__}

    {__CHAIN_THOUGHT__}
    {__ANSWER_FORMAT__}"


PROMPT_DOMAIN:
    "Los textos que vas procesar del ambito de {__DOMAIN__}."


PROMPT_LABELS:
    "Quiero que me clasifiques los textos una de las siguientes categorías:
    {__LABELS__}."


PROMPT_DETAIL:
    ""


CHAIN_THOUGHT:
    "Por favor argumenta tu respuesta paso a paso, explica por qué crees que
    está justificada tu elección final, y asegúrate de que acabas tu
    explicación con el nombre de la clase que has escogido como la
    correcta, en minúscula y sin puntuación."


ANSWER_FORMAT:
    "En tu respuesta incluye sólo el nombre de la clase, como una única
    palabra, en minúscula, sin puntuación, y sin añadir ninguna otra
    afirmación o palabra."
"""
[71]:
import seaborn as sns
from sklearn.metrics import confusion_matrix
from promptmeteo import DocumentClassifier

model = DocumentClassifier(
    language="es",
    model_name="google/flan-t5-small",
    model_provider_name="hf_pipeline",
    prompt_domain="opiniones de productos",
    prompt_labels=["positivo", "negativo", "neutro"],
    selector_k=5,
    verbose=True,
)

model.task.prompt.read_prompt(prompt)

model.train(
    examples=train_reviews,
    annotations=train_targets,
)

pred_targets = model.predict(test_reviews)
Token indices sequence length is longer than the specified maximum sequence length for this model (852 > 512). Running this sequence through the model will result in indexing errors
/opt/conda/lib/python3.10/site-packages/transformers/generation/utils.py:1270: UserWarning: You have modified the pretrained model configuration to control generation. This is a deprecated strategy to control generation and will be removed soon, in a future version. Please use a generation configuration file (see https://huggingface.co/docs/transformers/main_classes/text_generation )
  warnings.warn(


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

EJEMPLO: Era un regalo y la verdad que esta dando la talla que deseaba!! Facil de utilización y muy creativo.
RESPUESTA: positivo

EJEMPLO: A los 3-4 dias dd haber llegado el telefono, la camara trasera dejo de funcionar. Me puse en contacto con ellos para tramitar un cambio, pero me pedian que devolviera este primero y luego ellos me mandaban otro, por lo que me quedaba sin movil, creo que lo mas conveniente es igual que viene el mensajero a traerme uno nuevo, a ma vez que se lleve el estropeado... no me podia quedar sin movil ya que solo tengo este y lo necesito. A dia de hoy todavía ando con el movil sin camara trasera... un desastre. NO LO RECOMIENDO PARA NADA!
RESPUESTA: negativo

EJEMPLO: Está bien para el precio que tiene, no sirve para llevar cosas frías, el tamaño es un poco justo, caben dos tuppers pequeños y una lata
RESPUESTA: neutro

EJEMPLO: Tuve uno de la marca Kong y lo rompió en dos días, este es mas “duro” y resistente y vuela un poco más. Encantado con la compra
RESPUESTA: positivo

EJEMPLO: bien te lo traen a casa y listo a funcionar
RESPUESTA: neutro

EJEMPLO: Fue un regalo para mi madre que usa la moto a diario y esta encantada con ellas, además de ser bastante resistentes, tienen más de un año y están muy bien.
RESPUESTA:


MODEL OUTPUT

 positive EJEMPLO: Fue unregalo para mi madre que usa la moto a diario y esta encantada conellas, además de ser bastante resistentes, tienen más de un a


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

EJEMPLO: Aparentemente tiene muy buena calidad y un gran precio para venir tres protectores. Ningún problema a nivel táctil muy transparente, del tamaño exacto para la pantalla. Sin embargo, el primero no fui capaz de que se adhiriera a la pantalla (quedaba despegado la mitad); pensé que era mi inexperiencia. El segundo quedó ya mejor, pero aún y todo, no adherido del todo. Y ahí ya no es por exceso de confianza. Gracias a que uso una funda tipo libro la pantalla no queda expuesta y he reservado el tercer protector para más adelante.
RESPUESTA: neutro

EJEMPLO: El cristal le va pequeño a la pantalla, por los lados sobra un monton así que no lo cubre por completo, uno de los 2 cristales que iban en el paquete llevaba como una mota de polvo de fabrica insalvable. No lo recomiendo.
RESPUESTA: negativo

EJEMPLO: La facil instalacion y la calidad del mismo
RESPUESTA: positivo

EJEMPLO: Un desastre de producto. Los globos imposibles de inchar, sin instrucciones, Valvulas imposibles y que se rompen. No lo recomiendo en absoluto.
RESPUESTA: negativo

EJEMPLO: Cumple su propósito aunque son bastante endebles, hay que poner prendas ligeras si no se abren por el peso.
RESPUESTA: neutro

EJEMPLO: Son dos pantallas protectoras bastante fáciles de instalar. Vienen en una cajita muy elegante con un montón de complementos e instrucciones sencillas para que puedas instalarlas con suma facilidad. No se ensucian mucho y aguantan bastante.
RESPUESTA:


MODEL OUTPUT

 No se ensucian mucho y aguantan bastante.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

EJEMPLO: De momento me está encantando. Con un poquito cunde mucho. Ilumina y nutre el rostro.
RESPUESTA: positivo

EJEMPLO: No cubre toda la pantalla. La margen negra tapa la laterales como un medio mm.
RESPUESTA: negativo

EJEMPLO: No le doy las 5 estrellas por q el cristal no llega a cubrir del todo ( a lo ancho) el smartphone. Lo puse varias veces y a lo ancho se queda un poco corto. Por lo demás super bien embalado.. en si cajita antigolpes... Manual de instrucciones, toallitas.. no falta detalle la verdad.. la única pega.. la q comenté anteriormente...
RESPUESTA: neutro

EJEMPLO: La tapa del inodoro es bonita, pero los anclajes son una basura la tapa se gira si o si y cuando pretendes apretarla se rompe el anclaje
RESPUESTA: negativo

EJEMPLO: Muy caros luego los he estado viendo 2euros iguales y la misma marca .se han pasado con el margen de beneficio
RESPUESTA: neutro

EJEMPLO: No sé si aportará todas las propiedades que anuncia, pero como ducha aumenta la presión y las tres variantes de chorro son agradables. Y refresca. Satisfecho.
RESPUESTA:


MODEL OUTPUT

 No sé si aportará todas las propiedades que anuncia, pero como ducha aumentará la presión y las tres variantes de chorro son agradables.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

EJEMPLO: Sirve, pero no tiene mucha calidad
RESPUESTA: neutro

EJEMPLO: Gran Altavoz. Buen sonido, buenos graves, buen volumen...
RESPUESTA: positivo

EJEMPLO: Para el colegio son perfectos.Duran mucho tiempo.Llegaron antes de tiempo.
RESPUESTA: positivo

EJEMPLO: No eran las medidas que marcaban
RESPUESTA: negativo

EJEMPLO: Bueno en la oferta se incluían 5 piezas para soporte que no llegaron con el paquete
RESPUESTA: neutro

EJEMPLO: No tiene mucha potencia
RESPUESTA:


MODEL OUTPUT

 neutro


PARSE RESULT

 ['neutro']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

EJEMPLO: la tela no es la que esperaba
RESPUESTA: neutro

EJEMPLO: El manual llegó con algunas manchas en las juntas de las páginas. Por lo demás todo perfecto.
RESPUESTA: neutro

EJEMPLO: Todavía no he tenido tiempo de probarlo, a tener en cuenta que no lleva pilas, hay que comprarlas , son de las pequeñas no de las de boton sino de las otras.
RESPUESTA: neutro

EJEMPLO: Es un disfraz que solo entra la parte de arriba del traje, viene con una máscara d látex gruesa que viene toda doblada y deforme. Pero eso no es lo peor, lo peor es que el traje cuesta 45€ y deberían de darte 45€ por ponértelo, por que es un espanto para el precio que tiene, una tela pésima, como un traje de carnaval del bazar oriental de 6€. Y lo de la talla única... uña persona que tenga una complexión algo fuerte, no le estaría bien. De verdad, es un traje que no vale en absoluto el dinero que cuesta. A si es que nada más verlo, se fue de vuelta.
RESPUESTA: negativo

EJEMPLO: La poca cantidad que venía en el sobre no da para ver resultados
RESPUESTA: negativo

EJEMPLO: No trae ruedas, no de puede llegar, la tela de mancha fácilmente
RESPUESTA:


MODEL OUTPUT

 es una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las sigui


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

EJEMPLO: Llegó en el plazo indicado
RESPUESTA: positivo

EJEMPLO: Muy caros luego los he estado viendo 2euros iguales y la misma marca .se han pasado con el margen de beneficio
RESPUESTA: neutro

EJEMPLO: En poco tiempo el asa que sube y baja ya no funciona correctamente. Estoy decepcionada, ya que era para utilizar todas las semanas.
RESPUESTA: neutro

EJEMPLO: No me llegó lo que pedí y me vino incompleto
RESPUESTA: negativo

EJEMPLO: El marco cubre más del marco del reloj. O sea invade la pantalla. Siempre quedan algunas burbujas, lo he instalado 3 veces. Por último, y lo peor de todo, horrible la sensación táctil. Casi no obedece. Estoy a punto de quitarlo y comprar otro. Y eso que compre dos de este modelo.
RESPUESTA: negativo

EJEMPLO: El juego estar genial, no importa tanto el hecho de que sea de segunda mano, pero el problema es que me llegó incompleto, sin el cd de banda sonora ni las pegatinas.
RESPUESTA:


MODEL OUTPUT

 El juego estar genial, no importa tanto el hecho de que está de segunda mano, pero el problema es que me llegó incompleto, sin el cd de banda sonor


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

EJEMPLO: No he recibido el pedido. me han hecho un reembolso por el valor de los articulos pedidos.
RESPUESTA: negativo

EJEMPLO: El articulo ha venido golpeado. El vendedor solo dice que dará conocimiento a la agencia de transporte. Nos toca quedarnos con el articulo en MAL ESTADO
RESPUESTA: negativo

EJEMPLO: El articulo parece que venia usado...mal embalado y medio abierta la caja interior....
RESPUESTA: neutro

EJEMPLO: Malisimas. Las he tenido que tirar. El cierre se deforma ademas han venido super sucias.
RESPUESTA: negativo

EJEMPLO: Todo correcto, recibido en el plazo establecido, precio razonable c c c f c c c c c c f
RESPUESTA: positivo

EJEMPLO: Aún no he recibido el artículo
RESPUESTA:


MODEL OUTPUT

 no he recibido el pedido. me han hecho un reembolso por el valor de los articulos pedidos.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

EJEMPLO: Para el precio que tienen, bastante bien van. No tiene manera de apagarlos o encenderlos si no es conectando/desconectando el cable.
RESPUESTA: neutro

EJEMPLO: Magnífico cable recibe la señal perfectamente.
RESPUESTA: positivo

EJEMPLO: Me he quedado un tanto decepcionado con el producto. Baja estabilidad, materiales poco resistentes, sensación de poco recorrido hacen que lo pagado sea lo justo por lo recibido. Vistas las críticas de anteriores compradores me esperaba más. Aún me estoy pensando si estrenarlo o si directamente proceder a su devolución.
RESPUESTA: neutro

EJEMPLO: Todo correcto, Muy recomendable. Buena opción para tener cables de reserva. Envio rapidisimo! Excelente relación calidad/precio. Recomendable para la empresa y en casa.
RESPUESTA: positivo

EJEMPLO: Ha venido con el cerdito suelto y limado en ciertas zonas, la caja obviamente rota. Si lo quieres para exponer, exige mayor cuidado a la hora de la compra.
RESPUESTA: neutro

EJEMPLO: Estética buena, pero de momento siguen atacando los bichos. Si fuera sin cable sería mejor para llevar cerca de las zonas de descanso
RESPUESTA:


MODEL OUTPUT

 ltimo es el ttulo de trabajo en el ttulo de trabajo, ltimo es el ttulo de trabajo en


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

EJEMPLO: No me ha gustado nada porque parece un libro de un niño pequeño, portada bonita pero cuando lo abres... no lo volvería a comprar nunca.
RESPUESTA: negativo

EJEMPLO: La dirección donde quieres enfocar la cámara, hay que moverla con la mano. Es tan endeble que con 6 meses que tiene la mía, ya se ha roto, y según como la enfoque, la imagen no se ve. Dinero tirado a la basura
RESPUESTA: negativo

EJEMPLO: Solo me llegó una pieza cuando el pedido era de 6
RESPUESTA: negativo

EJEMPLO: Es bastante simple y no trae muchas cosas pero más completo que otros que he visto más caros. Para el precio está bien.
RESPUESTA: neutro

EJEMPLO: Su estabilidad es muy buena, al igual que su uso. Pesa poco y ofrece mucha seguridad. Ideal para llegar a cualquier sitio normal.
RESPUESTA: positivo

EJEMPLO: Normal. Pensaba ke seria mas gordita. Pero no, no es lo ke buscaba pero me apañare por ahora. Un 6 justito
RESPUESTA:


MODEL OUTPUT

 es el escrito de seria mas gordita.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

EJEMPLO: Pedido con retraso, y lo peor es que aún no ha llegado. Se trataba de un regalo y calculé para que llegara de sobra, pero el envío no ha llegado todavía y la única solucion por parte del vendedor es que espere un poco más.
RESPUESTA: negativo

EJEMPLO: No ha llegado a aún....
RESPUESTA: negativo

EJEMPLO: Siempre he comprado WD y no me defrauda. Desafortunadamente no puedo decir lo mismo cuando he comprado otras marcas
RESPUESTA: positivo

EJEMPLO: Llegó en el plazo indicado
RESPUESTA: positivo

EJEMPLO: Al principio buen sonido y fácil de usar, pero en 4 meses se bloquea y no reacciona, cuando se acaba la batería funciona bien, pero se vuelve s bloquear. He procedido a su devolución
RESPUESTA: neutro

EJEMPLO: A alguien le ha llegado? A mí me mandaron un mensaje k me llega el lunes pero.....he visto k desde k lo pedí han modificado la descripción y creo k si llega no será el britax b emotion 4 k llevo pidiendo desde hace meses.
RESPUESTA:


MODEL OUTPUT

 a qué es el britax b emotion 4 k llevo pidiendo desde hace meses.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

EJEMPLO: Lo compré para un regalo y será utilizado con un iPhone X. No he tenido la oportunidad de probarlo con dicho teléfono, pero puedo hablar de la excelente calidad de los materiales, es pesado, se siente firme y tiene franjas con goma tanto en la parte superior para que el teléfono no se deslice y en su parte inferior para que no se deslice sobre la superficie donde se ubica. Sólo lo he conectado para probar las luces (azules) y si colocas un dispositivo para cargar, estás parpadean muy lentamente unas 5 veces y luego se apagan definitivamente, cosa que es de agradecer si lo vas a usar en tu mesa de noche. Por ahora lo recomiendo estéticamente, luego informaré de su funcionamiento.
RESPUESTA: positivo

EJEMPLO: Estaria bien que fuese mas largo el hueco pars que no se quede tsn colgado el pints labios. Cumple su funcion si no tienes mucho dinero.
RESPUESTA: neutro

EJEMPLO: Buenos materiales. Gran sonido. Sin problemas de conexión con ningún dispositivo Bluetooth que he probado. Los leds le dan un toque chic.
RESPUESTA: neutro

EJEMPLO: Pues me dejé guiar por las buenas opiniones y al final ha sido un triunfazo!! a todos en casa les ha encantado. Fácil de instalar. Todo en él es metálico lo que le da robustez. He probado un poco el sonido y bueno no hay color de grabar con este micrófono a uno de auriculares que usaba antes, lo que si aconsejo que no lo pongais muy cerca de la torre del ordenador y más si es antigua porque por muy bueno que sea el micro milagros no hace jeje Viene con un usb que por ejemplo yo lo usaré para ponerlo en el portatil y poder conectarle el microfono y unos auriculares y así poder editar con él.
RESPUESTA: positivo

EJEMPLO: la tela no es la que esperaba
RESPUESTA: neutro

EJEMPLO: No sé quién puede estar interesado en semejante producto. Casi ninguna de las funciones funcionan. Lo que funciona es la calculadora,el reproductor de música, lo de contar los pasos y poco más. No sirve para nada poder mandar SMS, que cuestan dinero y nadie utiliza casi para nada, si no puedes utilizar el whatsapp, que es lo que todos tenemos y necesitamos. Ni whatsapp ni facebook, ni nada se puede usar. El reloj necesitaría otra tarjeta SIM para hacer llamadas sin conectarse al teléfono por bluetooth pero eso significa que te cobrarán unos cuatro euros más en tu operador de telefonia cada mes. El bluetooth es malísimo y no llega ni a unos centímetros, con lo cual no me llegaba ni de la muñeca hasta los cascos de las orejas. Para correr y escuchar música y mirar la hora...te durará media hora y eso con suerte y si tienes la suerte de que te llegue la señal a tus cascos desde el brazo. Muy muy muy decepcionada con este producto. Devuelto al día siguiente. Una tomadura de pelo.
RESPUESTA:


MODEL OUTPUT

 El reloj necesitara otra tarjeta SIM para hacer llamadas sin conectarse al teléfono por bluetooth pero eso significa que te cobrarán unos cuatro euros


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

EJEMPLO: Un desastre de producto. Los globos imposibles de inchar, sin instrucciones, Valvulas imposibles y que se rompen. No lo recomiendo en absoluto.
RESPUESTA: negativo

EJEMPLO: No es lo que esperaba. Buscaba un aspirador y no un filtro, pues con éste necesito adicionalmente un aspirador lo que lo hace incomodísimo de utilizar de forma habitual
RESPUESTA: negativo

EJEMPLO: Fatal!!! No funciona en inducción aunque pone que si, es un engaño!!!!!
RESPUESTA: negativo

EJEMPLO: Compré dos y los dos dejaron de funcionar a los 5 minutos. Además emite un pitido bastante molesto. Una decepción con el producto.
RESPUESTA: negativo

EJEMPLO: Es una maravilla nos ha llegado super rapido y mis hijos estan encantados construyendo toda clase de cosas,me parece un juego muy didactico y que les ayuda a pensar y desarrollar su creatividad, en mi caso buscaba algo asi y he acertado Los materiales son muy buenos
RESPUESTA: positivo

EJEMPLO: No sirve para vitrocerámicas de inducción y la compramos porque el vendedor en el anuncio asegura que si
RESPUESTA:


MODEL OUTPUT

 es una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las sigui


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

EJEMPLO: la tela no es la que esperaba
RESPUESTA: neutro

EJEMPLO: En realidad no es muy ligero, pero tampoco es algo que incomode por el grosor que aporta al móvil.
RESPUESTA: neutro

EJEMPLO: A los 5 días Sr rompió en la unión de las dos partes
RESPUESTA: negativo

EJEMPLO: Esta bien, es fino, queda mas grande de lo que se indica en el tallaje. El gorro también es grande.
RESPUESTA: neutro

EJEMPLO: A los pocos meses se ha puesto negra. No es plata
RESPUESTA: negativo

EJEMPLO: No es lo que esperaba no luce los metros que dice el vendedor
RESPUESTA:


MODEL OUTPUT

 es el que esperaba no luce los metros que dice el vendedor


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

EJEMPLO: Es agradable y protege. Ya lo sabemos que la proteccion es así pero este año no me he quemado y tengo algo de color
RESPUESTA: positivo

EJEMPLO: A mi hija la ha encantado. Viene además 2 hojas con pegatinas de estrellas, círculos y formas pequeñas en color rojo y plata y se lo ha pasado genial pintando y pegándolas.
RESPUESTA: positivo

EJEMPLO: Mi hija esta en un campamento y nos pidieron que llevara unos rotuladores acrilicos para hacer distintas manualidades, pintar en tazas, piedras...etc. Esta super contenta con los rotuladores porque los colores son muy bonitos y pintan bien. Todo un acierto
RESPUESTA: positivo

EJEMPLO: Me gusta porque da un tono de color a la salita tipo cine ya que puede poner los tonos mas suaves o mas fuertes,son algo mas de 75cm y los mios rodean la tele como se ve en la foto,lo unico que veo un poco flojo es la cinta de pegar que no se lo que aguantara
RESPUESTA: positivo

EJEMPLO: Vienen un montón de cosas, como el cortahilos que me encanta , para empezar a bordar está muy bien. Los hilos no parecen de mala calidad, y hay muchos colores
RESPUESTA: positivo

EJEMPLO: Tengo todas las perchas iguales y este pedido me ha venido en un color mas sucio y verdoso que el marfil normal. No es color marfil como ponen en la descripcion. Y el terciopelo es mas gordo que las otras de color marfil que se ven de mejor calidad.
RESPUESTA:


MODEL OUTPUT

 te te te te te te te te te te te te te te te te te te te te te


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

EJEMPLO: El unico problema que tiene es que los hielos son un poco pequeños y que la tapa no queda bien sujeta.
RESPUESTA: positivo

EJEMPLO: El material no es de muy buena calidad. el pedido tardo mucho ,no estoy muy contento con esta compra,no lo recomiendo
RESPUESTA: negativo

EJEMPLO: Edición muy cuidada. Tiene buen sonido y me llegó muy rápido. En perfecto estado, sin ningún rasguño. A día de hoy no tengo ninguna pega. Además es muy original, destaca entre toda la colección de vinilos.
RESPUESTA: positivo

EJEMPLO: Desde que lo monte lo he usado varias veces y de momento todo bien, El montaje es muy facil. Buen producto.
RESPUESTA: positivo

EJEMPLO: No me gusta nada de nada....pero es lo que quiere mi hija. Lo espera con ilusión....así que....bueno. Me parece un juguete muy caro para lo que es.
RESPUESTA: negativo

EJEMPLO: Lo pasamos muy bien jugando a tirar bloques de hielo. Lo único que pongo en contra son los materiales. Son de poca calidad pero cumplen su función. No se nos ha roto
RESPUESTA:


MODEL OUTPUT

 no hay roto


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

EJEMPLO: No lo recomiendo!!! envío fue rápido .. pero muñeca tiene un ojito mal pintada ..estoy muy decepcionada con la compra deberían revisar los envíos antes de empaquetarlos
RESPUESTA: negativo

EJEMPLO: Me llegó roto aunque el paquete iba bien embalado. La talla no coincide con la medida.
RESPUESTA: negativo

EJEMPLO: Es lo que buscaba, además viene en milímetros y no en centímetros.
RESPUESTA: positivo

EJEMPLO: Buena succión de aire. Lo usé para sustituir el que tenía con las mismas medidas
RESPUESTA: neutro

EJEMPLO: El producto y su propia caja en el que viene empaquetado los botes es bueno, pero la caja del envío del trasporte es horrible. La caja del transporte llego completamente rota. De tal manera que los botes me los entregaron por un lado y la caja por otro. El transporte era de SEUR, muy mal.
RESPUESTA: neutro

EJEMPLO: Muy buena compra. Envió rápido como siempre y el neumático lo que buscaba. Para los que quieran balón grande tendrán que cojer la medida 2.25
RESPUESTA:


MODEL OUTPUT

 por qué es el medida más veces en milmetros y en centmetros.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

EJEMPLO: Perfecto a un precio increíble
RESPUESTA: positivo

EJEMPLO: Ha venido con el cerdito suelto y limado en ciertas zonas, la caja obviamente rota. Si lo quieres para exponer, exige mayor cuidado a la hora de la compra.
RESPUESTA: neutro

EJEMPLO: Diseño poco innovador
RESPUESTA: neutro

EJEMPLO: La cámara me llegó en perfecto estado, con todos los complementos, pero la puse las pilas la encendí y parecía ir todo bien, la apagué, y ya no volvió a encender. La voy a devolver y ya pedí otra nueva. Espero q esta última funcione bien...
RESPUESTA: negativo

EJEMPLO: Para el colegio son perfectos.Duran mucho tiempo.Llegaron antes de tiempo.
RESPUESTA: positivo

EJEMPLO: Perfecto para personas mayores
RESPUESTA:


MODEL OUTPUT

 perfecto para personas mayores


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

EJEMPLO: Apenas 4 meses y ya no carga. Mucho peor que la batería original
RESPUESTA: negativo

EJEMPLO: Práctica pero le falta que el suelo sea rígido.
RESPUESTA: neutro

EJEMPLO: El arte del juego es precioso. La historia merece ser vista al menos. La edición coleccionista, a ese precio, y con este juego, merece salir de camino a casa de cualquier jugon.
RESPUESTA: positivo

EJEMPLO: EL AJUSTE A LA BARANDILLA ES MUY GRANDE EN LA POSICION MINIMA
RESPUESTA: neutro

EJEMPLO: Tuve uno de la marca Kong y lo rompió en dos días, este es mas “duro” y resistente y vuela un poco más. Encantado con la compra
RESPUESTA: positivo

EJEMPLO: Una pena que la duración de la batería sea escasa
RESPUESTA:


MODEL OUTPUT

 a página que la duración de la batera está escasa


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

EJEMPLO: El producto y su propia caja en el que viene empaquetado los botes es bueno, pero la caja del envío del trasporte es horrible. La caja del transporte llego completamente rota. De tal manera que los botes me los entregaron por un lado y la caja por otro. El transporte era de SEUR, muy mal.
RESPUESTA: neutro

EJEMPLO: Resistente y con una batería muy duradera Ideal para trabajar en talleres. Un teléfono mediano de características técnicas a un precio muy bueno
RESPUESTA: positivo

EJEMPLO: Esta buen, queda bien en el ordenador lo deja muy protegido pero la calidad del plástico se ve que no es muy buena y que en sí no parece madera de verdad ni anda cerca de parecerlo. También tengo que decir que la carcasa que me vino es diferente a la de la foto esta es más clarita.
RESPUESTA: neutro

EJEMPLO: Bien, en cuanto a que cubre perfectamente prácticamente toda la pantalla, encajando casi a la perfección en todos los agujeros, pero...quedan reflejos tipo espejo, habrá personas que esto no les suponga ninguna molestia, pero para mi es bastante molesto, una lástima porque por lo demás está muy bien, pero esto último para mi es determinante, el anterior no cubría tan bien pero no reflejaba de esta manera, siendo más cómodo para la vista.
RESPUESTA: neutro

EJEMPLO: Es tal y lo que te pone en la descripción, sin más, aunque la apertura de la basura, con el pedal, me da la impresión que se romperá dentro de no mucho tiempo, ya que se abre muy de golpe, aunque lo presiones suavemente.
RESPUESTA: neutro

EJEMPLO: Encaja perfectamente y cubre todo el teléfono, no se desliza y es muy limpia, la única pega es que el plástico es muy duro y los botones de los laterales están cubiertos y tienes que hacer mucha fuerza para pulsarlos. Otra cosa que no me acaba de convencer es el dibujo interior que debería ser completamente liso.
RESPUESTA:


MODEL OUTPUT

  Another thing I do not agree with is the interior that should be completely liso.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

EJEMPLO: Funciona bien pero se nota que la calidad no es la de la original.
RESPUESTA: neutro

EJEMPLO: Muy bonitos pero bastante pequeños. Precio elevado. Más de ocho euros
RESPUESTA: neutro

EJEMPLO: El recambio es igual a las originales, compramos este modelo porque para mi gusto, limpian mejor que las que solo son redondas. Ajusta perfecto al cepillo Oral-B y tienes recambios para olvidarte de ellos durante muchisimo tiempo!
RESPUESTA: positivo

EJEMPLO: Todo correcto, recibido en el plazo establecido, precio razonable c c c f c c c c c c f
RESPUESTA: positivo

EJEMPLO: Esta bien eso si el producto no tiene el diámetro que indican no es de 41 si no de 36
RESPUESTA: neutro

EJEMPLO: compré los originales bmw y me costaron 50 euros, estos son identicos a los originales, limpia bien medidas perfectas facil d instalar, durabilidad no lo se llevan poco tiempo
RESPUESTA:


MODEL OUTPUT

 compré los originales bmw y me costaron 50 euros, estos son identicos a los originales, limpia bien medidas perfectas facil d instalar, durabilidad no lo se llevan poco tiempo


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

EJEMPLO: Es muy pequeña y tardó bastante en llegar. Pienso que es una pieza más para aire que para agua. El paso es muy pequeño.
RESPUESTA: neutro

EJEMPLO: Mala calidad, solo funciona la mitad, nada recomendable
RESPUESTA: neutro

EJEMPLO: Es cómodo de buen material y se adapta perfectamente a la Tablet. Buen diseño agradable al tacto. El trípode también es de utilidad.
RESPUESTA: positivo

EJEMPLO: Rápido y confiable, muy recomendable.
RESPUESTA: positivo

EJEMPLO: bien te lo traen a casa y listo a funcionar
RESPUESTA: neutro

EJEMPLO: Es bastante bonita y se ajusta bastante bien al tlf muy muy recomendable
RESPUESTA:


MODEL OUTPUT

 br>


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

EJEMPLO: No ha durado ni un año y medio practicamente sin uso...
RESPUESTA: negativo

EJEMPLO: Después de mas de mes y medio esperando el producto, el día antes de que se cumpliera el plazo de entrega me llegó un mensaje de la empresa de que anulaba mi pedido
RESPUESTA: negativo

EJEMPLO: Muy fino, abriga poco
RESPUESTA: neutro

EJEMPLO: No pesa, no abulta, no se mueve. Me parece perfecto. Para una micro cuatro tercios, es perfecto. Si lo recomiendo.
RESPUESTA: positivo

EJEMPLO: Sirve, pero no tiene mucha calidad
RESPUESTA: neutro

EJEMPLO: pero este me salió malo...
RESPUESTA:


MODEL OUTPUT

 negative


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

EJEMPLO: Muy bonitos pero bastante pequeños. Precio elevado. Más de ocho euros
RESPUESTA: neutro

EJEMPLO: Despues de 2 dias esperando la entrega ,tuve que ir a buscarlo a la central de DHL de tarragona ,pese a haber pagado gastos de envio (10 euros),y encima me encuentro con un paquete todo golpeado en el que faltan partes del embalaje de carton y el resto esta sujeto por multitud de tiras de celo gigantesco pata que no se desmonte el resto de la caja ,nefasto he hecho varias reclamaciones a la empresa de transporte y encima me encuentro el paquete en unas condiciones horrorosas con multiples golpes,espero que al menos funcione.Nada recomendable,ni el vendedor ni amazon ni por supuesto el transportista DHL.
RESPUESTA: negativo

EJEMPLO: no ha durado ni un mes, cuando le pones la pila, en la pantalla pone cargando, y no hace nada mas.
RESPUESTA: negativo

EJEMPLO: És un aparato que calidad precio no se puede pedir nada más, no tiene sorpresa,és un aparato sencillo
RESPUESTA: neutro

EJEMPLO: En su línea, la verdad. Acción hasta el final, mujeres apasionantes, hombres enamorados y mucha acción. La verdad es que engancha desde el principio.
RESPUESTA: positivo

EJEMPLO: aunque en el anuncio pone precio final luego al pagar te cobran el transporte.
RESPUESTA:


MODEL OUTPUT

 el ao final es el pagar te cobran el transporte.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

EJEMPLO: Es justo lo que buscaba ni más ni menos y además es como la que tenía de hace ya años.
RESPUESTA: positivo

EJEMPLO: El reloj está bien, se ve muy bien la hora, tiene buen diseño, los plásticos no parecen muy malos, para el precio que tiene estaría muy bien excepto sino fuera por un detalle. La hebilla sobresale mucho, se me clava en la muñeca y eso que lo he llevado bastante suelto.
RESPUESTA: neutro

EJEMPLO: Me ha gustado porque tiene una buena estructura y gran capacidad para guardar ropa, calzado...
RESPUESTA: positivo

EJEMPLO: El envio correcto, el empaquetado correcto pero para su precio esperaba algo mas grande con eso no me llega ni para una pierna lo siento muy pequeño
RESPUESTA: neutro

EJEMPLO: Está muy bien, corren y saltan detrás de ellos.
RESPUESTA: positivo

EJEMPLO: Lo compre estando embarazada y la verdad k no sabria decir si funciona o no pk tuve la suerte de no salirme estrias. Aunk tengo amigas k lo usaron y les salieron estrias igual y tampoco es k se las mejorase. No se si lo recomendaria. Lo bueno k huele bien y no mancha la ropa.
RESPUESTA:


MODEL OUTPUT

 ltimo eso es el comn estando embarazada y la verdad k ne sabria decir si funciona o no pk tuve la suerte de


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

EJEMPLO: Estuche para flauta muy cómodo. Muy buenos acabados. Esta marca ofrece productos de muy buena calidad.
RESPUESTA: positivo

EJEMPLO: Es lo que buscaba, además viene en milímetros y no en centímetros.
RESPUESTA: positivo

EJEMPLO: Se me ha desconchado al despegar una pieza. Lo he devuelto.
RESPUESTA: negativo

EJEMPLO: Muy buen producto. Viene con pilas para la luz. Muy estable y practico. La verdad es que lo recomiendo totalmente
RESPUESTA: positivo

EJEMPLO: Es bastante rígido, aunque le falta peso para una pegada dura.Muy buen material.
RESPUESTA: neutro

EJEMPLO: Efecto frío combinado con mentol. Lubrica bastante bien aunque no dura demasiado (base acuosa). Buen lubricante para probar efecto frio con buen sabor :D. Tampoco he probado otros para poder comparar pero calidad-precio buena. 3/5
RESPUESTA:


MODEL OUTPUT

 3/5


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

EJEMPLO: Ya en la primera carga no duró ni dos horas
RESPUESTA: negativo

EJEMPLO: Quedan perfectas y para mi gusto sientan mejor que el modelo OS que también tengo y resulta caluroso frente a este.
RESPUESTA: positivo

EJEMPLO: No me gusta nada de nada....pero es lo que quiere mi hija. Lo espera con ilusión....así que....bueno. Me parece un juguete muy caro para lo que es.
RESPUESTA: negativo

EJEMPLO: No me ha llegado el producto. Fecha prevista 9 marzo. Figura como enviado. No sé que ha podido pasar. Gracias
RESPUESTA: negativo

EJEMPLO: Era para otra persona y me dice que van bien. Más tarde vimos que se pueden conseguir más baratos en tiendas.
RESPUESTA: neutro

EJEMPLO: No me valen para mí Honda y se vendo como que si
RESPUESTA:


MODEL OUTPUT

 el mercado es aqu es aqu es aqu es aqu es aqu es aqu es aqu es aqu


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

EJEMPLO: Entretenido pero preguntas muy difíciles para los niños y los que no son tan niños
RESPUESTA: neutro

EJEMPLO: Muy buena relación calidad precio aparentemente, habrá que utilizarlos para saber si el resultado es bueno a largo plazo , esperaremos
RESPUESTA: positivo

EJEMPLO: De facil lectura es una interesante propuesta de actividades para que en especial los niños disfruten de un verano lleno de originales actividades que le hagan crecer divirtiéndose. También interesante propuesta para nosotros los adultos para conectar con ese niño que llevamos dentro.
RESPUESTA: positivo

EJEMPLO: Muy buen altas. Fue un regalo para una niña de 9 años y le gustó mucho
RESPUESTA: positivo

EJEMPLO: Con un bebé de dos meses la verdad es que me ayuda mucho cuando le dejo en la hamaca con el sonido de las olas y las bolitas que cuelgan , parece que no pero realmente se entretiene hasta que llega a dormirse
RESPUESTA: positivo

EJEMPLO: Buenas actividades para niño de 4 años
RESPUESTA:


MODEL OUTPUT

 positive


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

EJEMPLO: Aún no lo he probado. Algo malo es que vienen las instrucciones en inglés y nada en español.
RESPUESTA: neutro

EJEMPLO: No me ha gustado nada porque parece un libro de un niño pequeño, portada bonita pero cuando lo abres... no lo volvería a comprar nunca.
RESPUESTA: negativo

EJEMPLO: Le había dado cinco estrellas y una opinión muy positiva, el aparato funcionó bien mientras funcionó, el problema es que funcionó poco tiempo. Hoy, apenas tres meses después de adquirirlo, he ido a encenderlo y en lugar de arrancar se ha quedado parado. Unos segundos más tarde ha soltado un chispazo y ahí se ha quedado. No se le ha dado ningún golpe, ni se ha usado para nada distinto a su finalidad, así que la única explicación lógica es que viniera defectuoso de fábrica. Amazon me va a reembolsar el importe en garantía en cuanto lo devuelva, así que por ese lado no tengo queja.
RESPUESTA: negativo

EJEMPLO: Compre este vapeador para un amigo y es perfecto pero a las primeras de uso ya estaba goteando y le a perdido mucho líquido. 2 botes en un día. Voy a tener que devolverlo.
RESPUESTA: negativo

EJEMPLO: A los pocos meses se ha puesto negra. No es plata
RESPUESTA: negativo

EJEMPLO: no lo volvería a comprar, no le he encontrado ninguna utilidad, no es lo que esperaba, yo diría que no funciona, quizá sea inutilidad mía pero lo cierto es que no he conseguido utilizarlo, dinero perdido
RESPUESTA:


MODEL OUTPUT

 eso lo ocurrió a comprar, no lo encontrado ningn utilidad, no lo lo esperaba, yo dira que no funciona, quizá es que no lo lo o


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

EJEMPLO: Funciona bien pero se nota que la calidad no es la de la original.
RESPUESTA: neutro

EJEMPLO: Comoda, y de buena calidad, recomendada
RESPUESTA: positivo

EJEMPLO: Es un buen cinturón, estoy contento con el, se le ve de buen material y funciona de manera perfecta, contento.
RESPUESTA: positivo

EJEMPLO: Muy buena relación calidad precio aparentemente, habrá que utilizarlos para saber si el resultado es bueno a largo plazo , esperaremos
RESPUESTA: positivo

EJEMPLO: El material no es de muy buena calidad. el pedido tardo mucho ,no estoy muy contento con esta compra,no lo recomiendo
RESPUESTA: negativo

EJEMPLO: Muy buena calidad, despues de hacer la reparacion queda como si fuera original, muy contento.
RESPUESTA:


MODEL OUTPUT

 positive


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

EJEMPLO: Muy buena calidad. Lo recomiendo.
RESPUESTA: positivo

EJEMPLO: He probado el manómetro y no aguanta con la presión para compararla, la va perdiendo poco a poco, y no es igual que otros manómetros.
RESPUESTA: neutro

EJEMPLO: El armario está bastante bien. Pero el tema de mensajeria deja mucho que desear, aunque llego relativamente rapido (algo menos de 2 semanas), vino con varios golpes los cuales dificultan el montaje e interrumpen el cierre y apertura de puertas
RESPUESTA: neutro

EJEMPLO: El reloj está bien, se ve muy bien la hora, tiene buen diseño, los plásticos no parecen muy malos, para el precio que tiene estaría muy bien excepto sino fuera por un detalle. La hebilla sobresale mucho, se me clava en la muñeca y eso que lo he llevado bastante suelto.
RESPUESTA: neutro

EJEMPLO: Envío rápido pero la bolsa viene sin caja ( en otras tiendas online viene mejor empaquetado) y por consecuencia la bolsa tenía varios puntos con agujeros... La comida está en buen estado pero ya no te da la misma confianza. Fecha de caducidad correcta.
RESPUESTA: neutro

EJEMPLO: El abrigo cumple, es caliente , tiene para las manos, es un buen articulo, por poner pega los hombros sobresalen un poco demás
RESPUESTA:


MODEL OUTPUT

 El abrigo cumple, es caliente , tiene para las manos, es un buen articulo, por poner pega los hombros sobresalen un poco demás


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

EJEMPLO: Después de unos meses de uso cumple su función. Materiales y acabados buenos, lo que no me gusta es que la ventana es muy oscura y cuesta ver la hora
RESPUESTA: neutro

EJEMPLO: Pegan muy bien a la base con el velcro, las he usado con madera y para pulir resina epoxi y van de lujo, compré tambien la base del taladro, la engancho a la mesa y a trabajar.
RESPUESTA: positivo

EJEMPLO: Tiene el tubo muy pequeño, no sirve ni para botellas de 1 Litro. Viene empaquetado doblado lo cual facilita que se rompan los cables interiores del tubo. Un desastre y vale mucho más el envio que el producto en si.
RESPUESTA: negativo

EJEMPLO: Es cómodo de buen material y se adapta perfectamente a la Tablet. Buen diseño agradable al tacto. El trípode también es de utilidad.
RESPUESTA: positivo

EJEMPLO: La calidad no es muy buena. A la primera puesta le han salido un montón de bolas y me ha dejado el colchón lleno de pelusas como se puede ver en la foto adjunta. Además, los laterales no viene con costura. No lo recomiendo.
RESPUESTA: negativo

EJEMPLO: Es bonito y el acabado de las tablas está bien (mejor que muchos de IKEA). No ocurre lo mismo con el de las varillas, que se raya con mirarlo y ya venía algo tocado del roce en la caja. El problema es que la varilla donde cuelgan las perchas, si son de metal, con seguridad lo va a desconchar. El montaje normal, al estilo IKEA, con instrucciones claras y herramientas necesarias. Con el uso iremos viendo el agua te de la rosca de los tornillos.
RESPUESTA:


MODEL OUTPUT

 Cómo es bonito y el acabado de los tablas está bien (mejor que muchos de IKEA). No ocurre lo mismo con el de las varillas, que


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

EJEMPLO: Poco serio no me llegado nada... vivo una dirección única todos los datos bien puestos buzón único por más que me pongo en contacto no me contesta para darme una explicación
RESPUESTA: negativo

EJEMPLO: una funda para ordenador de buena calidad y que, aun su uso, no se estropea con facilidad. Vale la pena hacer esta compra.
RESPUESTA: positivo

EJEMPLO: Para empezar, si el tiempo de envío es largo, el producto se retrasa por problema de aduanas. Solicitó la devolución, ya que es para un regalo y ante la tardanza han adquirido una prenda similar en otro sitio. Amazon me pone en contacto con el vendedor, el cual no facilita la devolución. Mientras tanto recibo el paquete y cuál es mi sorpresa que el artículo q me envían es un bolso negro, una especie de portafolios pero que nada tiene que ver con el sujetador de lactancia que encargue. Sigo en contacto con el vendedor, que aún sigue sin darme ninguna solución.
RESPUESTA: negativo

EJEMPLO: Mejor de lo que esperaba, tiene buena capacidad y queda perfecto. Es más grande de lo que esperaba. Por fin el vidrio está ordenado.
RESPUESTA: positivo

EJEMPLO: Es muy pequeña y tardó bastante en llegar. Pienso que es una pieza más para aire que para agua. El paso es muy pequeño.
RESPUESTA: neutro

EJEMPLO: Estoy muy decepcionado con el vendedor ya que el pedido no me llegó a tiempo y no cumplió los plazos de envío y era una cosa que necesitaba urgente. Para colmo me pongo en contacto con el vendedor y no da señales. No recomiendo nada
RESPUESTA:


MODEL OUTPUT

 vivo una dirección nico todos los datos bien puestos buzón nico por más que me pongo en contacto no me contesta para darme una explicación


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

EJEMPLO: Tuve que devolver el producto porque llegó averiado, no se encendía. Afortunadamente el servicio de devolución de AMAZON funcionó perfectamente.
RESPUESTA: negativo

EJEMPLO: Todo perfecto,lo unica malo es que el transportista forzo el DVD para entrarlo en el buzon y no pico el timbre estando yo en casa.
RESPUESTA: positivo

EJEMPLO: Sirve para ir por rectas pero si coges una curva del circuito se sale el 100%de las veces por lo que lo tienes que poner con las manos. Esto hace que te aburras. No lo recomiendo.
RESPUESTA: neutro

EJEMPLO: Era un regalo para unos amigos. Al parecer se ajusta perfectamente a lo que necesitaban
RESPUESTA: neutro

EJEMPLO: no me llego el pedido
RESPUESTA: negativo

EJEMPLO: lo cogí en el outlet de amazón , me vino lleno de pelusa o pelos , y con la caja de un philips, lo devolví al segundo
RESPUESTA:


MODEL OUTPUT

 el ao de amazón , me vino lleno de pesa o pelos , y con la caja de un philips, lo devolv al segundo


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

EJEMPLO: Me ha gustado mucho el producto. El diseño y calidad muy buenos. El pedido llegó muy rapido. Me ha encantado
RESPUESTA: positivo

EJEMPLO: Calidad y buen precio
RESPUESTA: neutro

EJEMPLO: Comoda, y de buena calidad, recomendada
RESPUESTA: positivo

EJEMPLO: Mala calidad, solo funciona la mitad, nada recomendable
RESPUESTA: neutro

EJEMPLO: Calidad increíble, sabor muy intenso. Se nota que es un producto natural... Merece la pena pagar lo que vale. Muy satisfecho.
RESPUESTA: positivo

EJEMPLO: Producto de buena calidad
RESPUESTA:


MODEL OUTPUT

 positive


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

EJEMPLO: Tuve que devolver el producto porque llegó averiado, no se encendía. Afortunadamente el servicio de devolución de AMAZON funcionó perfectamente.
RESPUESTA: negativo

EJEMPLO: UNA DE LAS PESTAÑAS DE LA CAJA VINO ROTA. POR LO DEMÁS BIEN, ES IGUAL QUE EN LAS FOTOS.POR EL PRECIO NO SE PUEDE PEDIR MAS
RESPUESTA: neutro

EJEMPLO: Es muy pequeña y tardó bastante en llegar. Pienso que es una pieza más para aire que para agua. El paso es muy pequeño.
RESPUESTA: neutro

EJEMPLO: El producto y su propia caja en el que viene empaquetado los botes es bueno, pero la caja del envío del trasporte es horrible. La caja del transporte llego completamente rota. De tal manera que los botes me los entregaron por un lado y la caja por otro. El transporte era de SEUR, muy mal.
RESPUESTA: neutro

EJEMPLO: El sol la endureció y se rasgó toda en cuanto la movió un poco el viento, no recomendable.
RESPUESTA: negativo

EJEMPLO: Encaja perfectamente. Vergonzoso la manera en que lo entregan. La caja rota por varios sitios y abierta por los dos lados. Algo impropio de Amazon.
RESPUESTA:


MODEL OUTPUT

 Amazon.com


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

EJEMPLO: Muy buen producto. Viene con pilas para la luz. Muy estable y practico. La verdad es que lo recomiendo totalmente
RESPUESTA: positivo

EJEMPLO: Lo compré para un regalo y será utilizado con un iPhone X. No he tenido la oportunidad de probarlo con dicho teléfono, pero puedo hablar de la excelente calidad de los materiales, es pesado, se siente firme y tiene franjas con goma tanto en la parte superior para que el teléfono no se deslice y en su parte inferior para que no se deslice sobre la superficie donde se ubica. Sólo lo he conectado para probar las luces (azules) y si colocas un dispositivo para cargar, estás parpadean muy lentamente unas 5 veces y luego se apagan definitivamente, cosa que es de agradecer si lo vas a usar en tu mesa de noche. Por ahora lo recomiendo estéticamente, luego informaré de su funcionamiento.
RESPUESTA: positivo

EJEMPLO: Es bonito, yo lo quería para una sección de fotos de embarazada y quedo bien
RESPUESTA: neutro

EJEMPLO: Me hubiera gustado que se vea por la noche con otro tipo de iluminación. No tengo claro que sea muy preciso.
RESPUESTA: neutro

EJEMPLO: Vienen un montón de cosas, como el cortahilos que me encanta , para empezar a bordar está muy bien. Los hilos no parecen de mala calidad, y hay muchos colores
RESPUESTA: positivo

EJEMPLO: Esta bien el producto sobre todo teniendo en cuenta la relacción calidad/precio. Yo lo uso para hacer arreglillos en casa cuando corto la luz o para zonas oscuras. Para esto esta genial, te libera las manos y puedes trabajar. Realmente vale para mucho mas, ya que tiene 2 intensidades de luz, intermitencias y luz roja atras. Como fallo diré que no me gusta que las pilar recargables no sean de un tamaño estandar. Es decir, son mucho mas grandes que las pilas normales y si algún dia se estropean desconozco si se podrán encontrar facilmente. Espero que duren muchos años. Como se ve en la foto, el producto biene muy completo.
RESPUESTA:


MODEL OUTPUT

 el producto sobre todo teniendo en cuenta la relación calidad/price. Yo lo uso para hacer arreglillos en casa cuando corto la luz o para zonas o


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

EJEMPLO: Tuve que devolver dos porque no me los reconocía la impresora
RESPUESTA: negativo

EJEMPLO: En una primera instancia llego defectuoso, pero me lo cambiaron sin problema y funciona bien.
RESPUESTA: neutro

EJEMPLO: Tuve que devolver el producto porque llegó averiado, no se encendía. Afortunadamente el servicio de devolución de AMAZON funcionó perfectamente.
RESPUESTA: negativo

EJEMPLO: En poco tiempo el asa que sube y baja ya no funciona correctamente. Estoy decepcionada, ya que era para utilizar todas las semanas.
RESPUESTA: neutro

EJEMPLO: Al principio buen sonido y fácil de usar, pero en 4 meses se bloquea y no reacciona, cuando se acaba la batería funciona bien, pero se vuelve s bloquear. He procedido a su devolución
RESPUESTA: neutro

EJEMPLO: No funcionaba, lo tuve que devolver, no se si era problema de la placa o del mecanismo, la devolución todo correctamente.
RESPUESTA:


MODEL OUTPUT

 no funcionaba, lo tuve que devolver, no se si era problema de la placa o del mecanismo, la devolución todo correctamente.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

EJEMPLO: Funciona bien, pero a veces apretando se suelta.
RESPUESTA: neutro

EJEMPLO: Hice pan y la verdad es que va muy bien!
RESPUESTA: positivo

EJEMPLO: Está bien para el precio que tiene, no sirve para llevar cosas frías, el tamaño es un poco justo, caben dos tuppers pequeños y una lata
RESPUESTA: neutro

EJEMPLO: Esta bien, es fino, queda mas grande de lo que se indica en el tallaje. El gorro también es grande.
RESPUESTA: neutro

EJEMPLO: Todavía no me se me ha ingresado dinero e. El Banco
RESPUESTA: negativo

EJEMPLO: Se ve bien el grabado
RESPUESTA:


MODEL OUTPUT

 es bien el grabado


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

EJEMPLO: Es muí bonito igual que en la. Foto gracias
RESPUESTA: positivo

EJEMPLO: Tened en cuenta las medidas porque es muy pequeña. Yo tuve que devolverla porque en un salón de 4m2 se veía ridícula. Pero la lámpara es bonita y de buena calidad.
RESPUESTA: negativo

EJEMPLO: Era un regalo y la verdad que esta dando la talla que deseaba!! Facil de utilización y muy creativo.
RESPUESTA: positivo

EJEMPLO: La dirección donde quieres enfocar la cámara, hay que moverla con la mano. Es tan endeble que con 6 meses que tiene la mía, ya se ha roto, y según como la enfoque, la imagen no se ve. Dinero tirado a la basura
RESPUESTA: negativo

EJEMPLO: La calidad no es muy buena. A la primera puesta le han salido un montón de bolas y me ha dejado el colchón lleno de pelusas como se puede ver en la foto adjunta. Además, los laterales no viene con costura. No lo recomiendo.
RESPUESTA: negativo

EJEMPLO: No recomiendo su compra... no se parece a la foto... muy mala resolución
RESPUESTA:


MODEL OUTPUT

 negative


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

EJEMPLO: Es lo peor que comprado para mi movil ha durado un mes y de repente deja de cargar no compreis baterias en este vendedor es lo peor
RESPUESTA: negativo

EJEMPLO: No funciona lo he devuelto, no hace nada
RESPUESTA: negativo

EJEMPLO: Cumplen satisfactoriamente con la función. Se pueden recortar y son gruesas. Buena relación calidad precio
RESPUESTA: positivo

EJEMPLO: No existe una App que la haga funcionar. Solo funciona con el mando y tienes que estar bajo la bombilla para que reaccione. Luminosidad bastante baja.
RESPUESTA: negativo

EJEMPLO: ha salido con defecto, en llamadas salientes no se oye al interlocutor, lo cambie por otro igual y he tenido el mismo problema
RESPUESTA: negativo

EJEMPLO: En menos de un mes ya han dejado de funcionar. Primero se descarga la bateria aun sin uso, y ahora es que ni siquiera carga. He solicitado la garantia, y espero que al menos respondan pronto. Me los devuelven supuestamente arreglado el problema pero la realidad es que siguen exactamente igual, sin funcionar. Vuelta a empezar con la garantía
RESPUESTA:


MODEL OUTPUT

 Vuelta a empezar con la garanta


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

EJEMPLO: No pesa, no abulta, no se mueve. Me parece perfecto. Para una micro cuatro tercios, es perfecto. Si lo recomiendo.
RESPUESTA: positivo

EJEMPLO: El manual llegó con algunas manchas en las juntas de las páginas. Por lo demás todo perfecto.
RESPUESTA: neutro

EJEMPLO: La cámara me llegó en perfecto estado, con todos los complementos, pero la puse las pilas la encendí y parecía ir todo bien, la apagué, y ya no volvió a encender. La voy a devolver y ya pedí otra nueva. Espero q esta última funcione bien...
RESPUESTA: negativo

EJEMPLO: El botón no funciona, con lo cual si quieres pararlo, necesitas quitarle las pilas. No lo recomiendo.
RESPUESTA: negativo

EJEMPLO: tal y como lo imaginaba, ligero , con la altura que indicaba en el paquete, y super elegante !! GRACIAS
RESPUESTA: positivo

EJEMPLO: El papel sigue siendo papel. Actualizado. Perfecto. Y no necesita pilas
RESPUESTA:


MODEL OUTPUT

 el papel sigue siendo papel. Actualizado. Perfecto. Y no necesita pilas


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

EJEMPLO: Funciona perfectamente para unos repetidores que tengo.
RESPUESTA: positivo

EJEMPLO: Tenía un disco duro de 80 GB procedente de un portátil que tiré y me daba pena tirarlo. Compré esta carcasa, bien barata, y ahora tendo un USB de 80 GB. Como digo: Perfecto y barato.
RESPUESTA: positivo

EJEMPLO: Lo compre pensando en conectar para transmisión de datos y solo sirve para cargar la batería. Para esto último es práctico. Pero si lo quieres para otra cosa no vale.
RESPUESTA: neutro

EJEMPLO: El marco cubre más del marco del reloj. O sea invade la pantalla. Siempre quedan algunas burbujas, lo he instalado 3 veces. Por último, y lo peor de todo, horrible la sensación táctil. Casi no obedece. Estoy a punto de quitarlo y comprar otro. Y eso que compre dos de este modelo.
RESPUESTA: negativo

EJEMPLO: Después de unos meses de uso cumple su función. Materiales y acabados buenos, lo que no me gusta es que la ventana es muy oscura y cuesta ver la hora
RESPUESTA: neutro

EJEMPLO: Funciona perfectamente. Tengo un terreno para regar de unos 80m2, y llega a rodas partes, hasta detras de unos setos
RESPUESTA:


MODEL OUTPUT

 I have a terraza para regar de unos 80m2, y llega a rodas partes, until a further set


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

EJEMPLO: Tened en cuenta las medidas porque es muy pequeña. Yo tuve que devolverla porque en un salón de 4m2 se veía ridícula. Pero la lámpara es bonita y de buena calidad.
RESPUESTA: negativo

EJEMPLO: Llego en el tiempo previsto
RESPUESTA: neutro

EJEMPLO: Hice pan y la verdad es que va muy bien!
RESPUESTA: positivo

EJEMPLO: Edición muy cuidada. Tiene buen sonido y me llegó muy rápido. En perfecto estado, sin ningún rasguño. A día de hoy no tengo ninguna pega. Además es muy original, destaca entre toda la colección de vinilos.
RESPUESTA: positivo

EJEMPLO: Tiene un perfume muy agradable y duradero a la vez que discreto. Una sola barrita al día perfuma mi salón para todo el día.
RESPUESTA: positivo

EJEMPLO: No me llegó todavía el mueble del salón.. No corresponde los días previstos de envio,y sin saber cuándo llegará .
RESPUESTA:


MODEL OUTPUT

 no corresponde los das previstos de envio,y sin saber cuándo llegará .


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

EJEMPLO: Llego en el tiempo previsto
RESPUESTA: neutro

EJEMPLO: tal y como lo imaginaba, ligero , con la altura que indicaba en el paquete, y super elegante !! GRACIAS
RESPUESTA: positivo

EJEMPLO: Buenos guantes, calentitos, quizás un poco pequeños, pero yo tengo manos grandes. Al quedarme pequeños y estirarlos un poco, se ha roto el encaje.
RESPUESTA: neutro

EJEMPLO: Queda muy bien y te protege el reloj
RESPUESTA: positivo

EJEMPLO: Buen precio para la gran capacidad que tiene. No tiene ruido y es totalmente manejable.
RESPUESTA: positivo

EJEMPLO: Tiene poco potencia tienes que darle tres veces al máximo para que seque
RESPUESTA:


MODEL OUTPUT

 te te te te te te te te te te te te te te te te te te te te te


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

EJEMPLO: Trapecio sobre todo para interior por la calidad de las cuerdas. En exterior no sé si será muy resistente. En casa da mucho juego y es un entretenimiento estupendo para la gente menuda. Aguanta mucho peso
RESPUESTA: positivo

EJEMPLO: Eran los zapatos que queria a un precio competitivo, lastima que las entregaran tarde, a pesar de la entrega garantizada en tal fecha...
RESPUESTA: neutro

EJEMPLO: Esta bien, es fino, queda mas grande de lo que se indica en el tallaje. El gorro también es grande.
RESPUESTA: neutro

EJEMPLO: Calidad increíble, sabor muy intenso. Se nota que es un producto natural... Merece la pena pagar lo que vale. Muy satisfecho.
RESPUESTA: positivo

EJEMPLO: Es pequeño, silencioso y no pesa nada. Lo uso para calentar una habitación de tamaño medio y a los 10 minutos (a máxima potencia) tengo que apagarlo porque hace calor. Genial.
RESPUESTA: positivo

EJEMPLO: La zapatilla es muy bonita, su apariencia es buena. La parte interior es bastante floja no se le ve calidad. No la encuentro cómoda, quizás sea mi culpa ya que pedí el número que habitualmente calzo en deportivas y me queda amplio. Lo intenté solucionar con una buena plantilla, pero aun así, me resulta incómodo. Si volviese a comprarlo pediría una talla menos.
RESPUESTA:


MODEL OUTPUT

 ltimo es una tarea de clasificación de texto. Los textos que vas procesar de ambito de opiniones de productos. Quiero que me clasificada en una


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

EJEMPLO: Muy buena calidad. Lo recomiendo.
RESPUESTA: positivo

EJEMPLO: La tapa del inodoro es bonita, pero los anclajes son una basura la tapa se gira si o si y cuando pretendes apretarla se rompe el anclaje
RESPUESTA: negativo

EJEMPLO: Era un regalo para unos amigos. Al parecer se ajusta perfectamente a lo que necesitaban
RESPUESTA: neutro

EJEMPLO: Me ha llegado bien pero al abrirlo observo que falta el adaptador tipo C que indica el anuncio. Confío que me lo envien
RESPUESTA: neutro

EJEMPLO: bien te lo traen a casa y listo a funcionar
RESPUESTA: neutro

EJEMPLO: Todo correcto y acordé a lo anunciado
RESPUESTA:


MODEL OUTPUT

 No need to me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

EJEMPLO: En 2 semanas está completamente roto. Comenzó con una raya y ahora está roto por todas partes. Además de pequeño. No lo recomiendo
RESPUESTA: negativo

EJEMPLO: Venia roto es de muy mala calidad
RESPUESTA: negativo

EJEMPLO: El protector de pantalla llegó un poco roto.
RESPUESTA: neutro

EJEMPLO: Rápido envío superfacil instalación pero a la primera caída se ha roto y despegado.
RESPUESTA: neutro

EJEMPLO: A mí no me las ha dejado muy limpias...o no se usarlo bien o no es tan efectivo como dicen.
RESPUESTA: neutro

EJEMPLO: A venido rota. Venia bien envuelta pero al abrirla estaba rota. Y plastico malo.
RESPUESTA:


MODEL OUTPUT

 y plastico malo.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

EJEMPLO: Me encanto. Ya los he comprado varias veces.
RESPUESTA: positivo

EJEMPLO: El unico problema que tiene es que los hielos son un poco pequeños y que la tapa no queda bien sujeta.
RESPUESTA: positivo

EJEMPLO: A los 3-4 dias dd haber llegado el telefono, la camara trasera dejo de funcionar. Me puse en contacto con ellos para tramitar un cambio, pero me pedian que devolviera este primero y luego ellos me mandaban otro, por lo que me quedaba sin movil, creo que lo mas conveniente es igual que viene el mensajero a traerme uno nuevo, a ma vez que se lleve el estropeado... no me podia quedar sin movil ya que solo tengo este y lo necesito. A dia de hoy todavía ando con el movil sin camara trasera... un desastre. NO LO RECOMIENDO PARA NADA!
RESPUESTA: negativo

EJEMPLO: Es muy pequeña y tardó bastante en llegar. Pienso que es una pieza más para aire que para agua. El paso es muy pequeño.
RESPUESTA: neutro

EJEMPLO: Me ha gustado porque tiene una buena estructura y gran capacidad para guardar ropa, calzado...
RESPUESTA: positivo

EJEMPLO: Me las compre para atarla con un hilo a las gafas de proteccion, Porque cuando necesitas los tapones nunca los encuentras, Pero no lo he echo porque me gustan mas las de esponja son mas comodas y aislan mejor.
RESPUESTA:


MODEL OUTPUT

 el ao de acerca de protección, porque cuando necesitas los encuentras nunca los encuentras, pero no lo he echo porque el esponja es mas com


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

EJEMPLO: Es una plancha, por el centro cocina y por los lados no.No la compréis la
RESPUESTA: negativo

EJEMPLO: Estaba buscando unos cuchillos de carne que me durasen para muchísimo tiempo sin importarme gastar un poco más. A veces es mejor no comprar barato. Estos cuchillos van a sustituir a unos antiguos que tenía que aunque hacían bien su función se me fueron estropeando porque el mango era de plástico y de tanto lavado se fue estropeando esta parte. A primera vista ya se aprecia que son de muy buena calidad por los materiales con los que están fabricados. A destacar también el envoltorio ya que son perfectos para regalar. Muy buena compra.
RESPUESTA: positivo

EJEMPLO: Muy practico.Pero cuando hay sol no ves absolutamente nada.Las pulsaciones tampoco las marca bien.Pero por el precio no se puede pedir mas
RESPUESTA: neutro

EJEMPLO: En las caracteristicas se indica que son tres piezas pero en el paquete solo vienen dos. No se si trata de un error o de mucho morro.
RESPUESTA: negativo

EJEMPLO: Ha llegado la caratula un poco rajada. Por lo demás todo bien.
RESPUESTA: neutro

EJEMPLO: Se rompió la pieza de plástico central donde se enrollan las cuerdas a los tres años. Por lo demás bien
RESPUESTA:


MODEL OUTPUT

 rompió la pieza de plástico central donde se enrollan las cuerdas a los tres aos.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

EJEMPLO: Después de unos meses de uso cumple su función. Materiales y acabados buenos, lo que no me gusta es que la ventana es muy oscura y cuesta ver la hora
RESPUESTA: neutro

EJEMPLO: Encaja a la perfección
RESPUESTA: positivo

EJEMPLO: Gran Altavoz. Buen sonido, buenos graves, buen volumen...
RESPUESTA: positivo

EJEMPLO: No es que brillen un monton pero estan bien
RESPUESTA: neutro

EJEMPLO: Fatal!!! No funciona en inducción aunque pone que si, es un engaño!!!!!
RESPUESTA: negativo

EJEMPLO: Yo le puse unas ventosas más grandes porque lleva no aguantan con juguetes
RESPUESTA:


MODEL OUTPUT

 Y yo puse unas ventosas más grande porque lleva no aguantan con juguetes


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

EJEMPLO: EL PRODUCTO ES LO QUE QUERIA .PERO CON QUIEN ESTOY ENCANTADA ES CON LA TIENDA EN LA QUE LO COMPRE. ME ATENDIERON DOS CHICOS SUPER AGRADABLES Y QUE ME SOLUCIONARON TODAS MIS DUDAS Y ME FACILITARON TODAS LAS GESTIONES DE ENTREGA Y REPOSICION DE OTRO MOVIL PORQUE EL PRIMERO AL HACER ACTUALIZACION SE ESTROPEO.
RESPUESTA: positivo

EJEMPLO: Calidad increíble, sabor muy intenso. Se nota que es un producto natural... Merece la pena pagar lo que vale. Muy satisfecho.
RESPUESTA: positivo

EJEMPLO: es muy pequeña y tiene poco aluminio y se a abierto un poco aluminio es muy cómoda y cabe bien la comida
RESPUESTA: neutro

EJEMPLO: A pesar de estar tomándome este producto durante dos meses y medio religiosamente cada día ,no sirve absolutamente de nada, porque sigo blanca como la pared. Admiro a las personas que lo han tomado y les ha funcionado pero desde luego a mí, no ha sido el caso. Decían que empezaba a funcionar desde el segundo mes pero pienso que aunque lo tomase 12 meses seguiría igual.
RESPUESTA: negativo

EJEMPLO: Es un producto económico de plástico que cumple con su función y punto.
RESPUESTA: neutro

EJEMPLO: Es una porqueria de producto! En dos semanas ya estava oxidada y eso que hice el curado de la sarten pero la calidad de este producto es pesima. No recomiendo a nadie
RESPUESTA:


MODEL OUTPUT

 es una porqueria de producto! En dos semanas ya estava oxidada y eso que hice el curado de las sarten pero la calidad de este producto es


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

EJEMPLO: Es lo peor que comprado para mi movil ha durado un mes y de repente deja de cargar no compreis baterias en este vendedor es lo peor
RESPUESTA: negativo

EJEMPLO: Cumple su propósito aunque son bastante endebles, hay que poner prendas ligeras si no se abren por el peso.
RESPUESTA: neutro

EJEMPLO: Llegó en el plazo indicado
RESPUESTA: positivo

EJEMPLO: Todo perfecto, gran calidad a un gran precio y dificil de encontrar por llevar el destornillador en lugar del sacacorchos.
RESPUESTA: positivo

EJEMPLO: Es un auténtico timo, plástico de malísima calidad, lleva un ventilador de muy baja potencia, es de Pc, he metido el recipiente al congelador y ni poniéndole hielo enfria, imagínate con agua. Los botones que lleva dan la sensación que se van a romper cuando los pulsas, la tapa que tienes que quitar para sacar el recipiente luego no encaja y te tiras media hora para volverla a poner en su sitio. El agua a veces se sale y la placa electrónica que lleva el aparato no está protegida, te doy 2 días para que se rompa, esto es un timo señores, no malgasten su dinero, ni 5€ vale, le doy una estrella porque me obligan.
RESPUESTA: negativo

EJEMPLO: Batería externa excelente, pero sus 200 g de peso parece que lleves otro móvil
RESPUESTA:


MODEL OUTPUT

 el mercado externo excelente, pero sus 200 g de peso parece que lleves otro móvil


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

EJEMPLO: Está bien para el precio que tiene, no sirve para llevar cosas frías, el tamaño es un poco justo, caben dos tuppers pequeños y una lata
RESPUESTA: neutro

EJEMPLO: EL PRODUCTO ES LO QUE QUERIA .PERO CON QUIEN ESTOY ENCANTADA ES CON LA TIENDA EN LA QUE LO COMPRE. ME ATENDIERON DOS CHICOS SUPER AGRADABLES Y QUE ME SOLUCIONARON TODAS MIS DUDAS Y ME FACILITARON TODAS LAS GESTIONES DE ENTREGA Y REPOSICION DE OTRO MOVIL PORQUE EL PRIMERO AL HACER ACTUALIZACION SE ESTROPEO.
RESPUESTA: positivo

EJEMPLO: Buena relación calidad precio. Tiene bastante potencia y pesa muy poco.
RESPUESTA: positivo

EJEMPLO: Cumplieron fecha de entrega. Precio correcto con el producto.
RESPUESTA: positivo

EJEMPLO: La funda para el sofá es muy fina. El material no transmite sensación de que vaya a durar en el tiempo, pero por el precio que tiene no podría pedirse algo mejor, o si?. Compré una funda de marca para la barbacoa y comprado con esta es de risa. En principio hace de repelente de agua, pero no lo he probado con lluvia torrencial, lo he probado tirándole un poco de agua en una zona con un vaso. Habría que volver a valorar esta funda con el paso del tiempo para ver si merece la pena o no su compra.
RESPUESTA: neutro

EJEMPLO: Aunque la mayoría de opiniones positivas que tiene este producto son falsas (solo hay que leerlas todas y mirar nombres y fecha de publicación y la manera que se comentan).... decir que son unos auriculares muy correctos para el precio que tienen. Se echa de menos que los graves sean un poco más "potentes", pero por este precio no se puede pedir más. Ahora solo hace falta que funcionen bastante tiempo.
RESPUESTA:


MODEL OUTPUT

 Until the most positive opinions that have this product are falsas (solo hay que leerlas todas y mirar nombres y fecha de publicación y la manera que se commentan).... decir que son unos a


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

EJEMPLO: Muy comodo para cargar varios dispositivos a la vez sin necesidad de tener que utilizar ladrón de enchufe.
RESPUESTA: positivo

EJEMPLO: Muy buena funda, todo perfecto!
RESPUESTA: positivo

EJEMPLO: No se encendía de ninguna manera después de 3 horas enchufado. Lo enchufamos al día siguiente y funcionó pero perdió actualización y costó muchísimo resetearlo para volverlo a configurar. Ahora ya funciona, la única pega es que cuando se desenchufa o pierde la corriente, no se restablece correctamente y no se conecta a Internet.
RESPUESTA: neutro

EJEMPLO: No entiendo como funciona.donde se puede encontrar instrucciones fe funcionamiento en castellano?
RESPUESTA: negativo

EJEMPLO: Lo esperaba más compacto ( fallo mio ) dado que hoy en dia hay cargadores unificados para distintos aparatos. Calidad buena Servicio ràpido
RESPUESTA: neutro

EJEMPLO: Buen cargador. Su forma va perfecta para poner en enchufes dobles al ser estrecho no tapa el enchufe de al lado. Era lo que busca
RESPUESTA:


MODEL OUTPUT

 el enchufe de lado. Qué es el enchufe de lado?


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

EJEMPLO: Está muy bien, corren y saltan detrás de ellos.
RESPUESTA: positivo

EJEMPLO: Con un bebé de dos meses la verdad es que me ayuda mucho cuando le dejo en la hamaca con el sonido de las olas y las bolitas que cuelgan , parece que no pero realmente se entretiene hasta que llega a dormirse
RESPUESTA: positivo

EJEMPLO: Llego en el tiempo previsto
RESPUESTA: neutro

EJEMPLO: Comodo y facil de colocar.Muy estable.
RESPUESTA: positivo

EJEMPLO: Estaria bien que fuese mas largo el hueco pars que no se quede tsn colgado el pints labios. Cumple su funcion si no tienes mucho dinero.
RESPUESTA: neutro

EJEMPLO: El colchon esta bien, el envío tardo más de dos Semanas en llegar
RESPUESTA:


MODEL OUTPUT

 El colchon esta bien, el envo más de dos Semanas en llegar


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

EJEMPLO: Me ha gustado mucho el producto. El diseño y calidad muy buenos. El pedido llegó muy rapido. Me ha encantado
RESPUESTA: positivo

EJEMPLO: Para empezar, si el tiempo de envío es largo, el producto se retrasa por problema de aduanas. Solicitó la devolución, ya que es para un regalo y ante la tardanza han adquirido una prenda similar en otro sitio. Amazon me pone en contacto con el vendedor, el cual no facilita la devolución. Mientras tanto recibo el paquete y cuál es mi sorpresa que el artículo q me envían es un bolso negro, una especie de portafolios pero que nada tiene que ver con el sujetador de lactancia que encargue. Sigo en contacto con el vendedor, que aún sigue sin darme ninguna solución.
RESPUESTA: negativo

EJEMPLO: A pesar de estar tomándome este producto durante dos meses y medio religiosamente cada día ,no sirve absolutamente de nada, porque sigo blanca como la pared. Admiro a las personas que lo han tomado y les ha funcionado pero desde luego a mí, no ha sido el caso. Decían que empezaba a funcionar desde el segundo mes pero pienso que aunque lo tomase 12 meses seguiría igual.
RESPUESTA: negativo

EJEMPLO: El producto en si, esta bien, encaja perfecto, pero la mochila llegó con dos manchas de tinta supongo, y una de las cremalleras rota, aunque con la otra cierra bien.
RESPUESTA: neutro

EJEMPLO: He solicitado la devolución del producto, el producto no coincide con el ofertado, han mandado un kit con cuadro utensilios de muy mala calidad.
RESPUESTA: negativo

EJEMPLO: Malísima calidad. Me Llegó el producto dañado con todos los tornillos oxidados y faltando piezas y además la atención con el vendedor nada buena me he tenido que poner en contacto con amazon para que medie pq no vienen por el producto y cuando te dicen vienen no aparecen y no me devuelven mi dinero.
RESPUESTA:


MODEL OUTPUT

 ir el producto daado con todos los tornillos oxidados y faltando piezas y además la atención con el vendedor nada buena me teni


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

EJEMPLO: El producto viene perfecto pero no como en la foto que aparece, y a mi me hubiese gustado elegir El color que me gustase
RESPUESTA: neutro

EJEMPLO: EL PRODUCTO ES LO QUE QUERIA .PERO CON QUIEN ESTOY ENCANTADA ES CON LA TIENDA EN LA QUE LO COMPRE. ME ATENDIERON DOS CHICOS SUPER AGRADABLES Y QUE ME SOLUCIONARON TODAS MIS DUDAS Y ME FACILITARON TODAS LAS GESTIONES DE ENTREGA Y REPOSICION DE OTRO MOVIL PORQUE EL PRIMERO AL HACER ACTUALIZACION SE ESTROPEO.
RESPUESTA: positivo

EJEMPLO: Esta buen, queda bien en el ordenador lo deja muy protegido pero la calidad del plástico se ve que no es muy buena y que en sí no parece madera de verdad ni anda cerca de parecerlo. También tengo que decir que la carcasa que me vino es diferente a la de la foto esta es más clarita.
RESPUESTA: neutro

EJEMPLO: UNA DE LAS PESTAÑAS DE LA CAJA VINO ROTA. POR LO DEMÁS BIEN, ES IGUAL QUE EN LAS FOTOS.POR EL PRECIO NO SE PUEDE PEDIR MAS
RESPUESTA: neutro

EJEMPLO: el articulo que me enviaron no era el mismo que yo pedi, y me cobraron por el precio del de la foto, y cuando me lo enviaron era mas pequeña y no era el mismo de la foto. La verdad que he pedido ya muchos productos pero en este en concreto me decepcione muchisimo,
RESPUESTA: negativo

EJEMPLO: El producto me ha llegado sin tapa tal como se ve en la foto, por suerte no está abierto. La valoración es por él estado del envío, no por el producto en sí.
RESPUESTA:


MODEL OUTPUT

 negative


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

EJEMPLO: Muy buena calidad. Lo recomiendo.
RESPUESTA: positivo

EJEMPLO: Totalmente sorprendida por la calidad de sonido, me lo esperaba mucho más inferior pero ha superado mis espectativas... por ponerle una pega echo de menos una salida usb.
RESPUESTA: positivo

EJEMPLO: Funciona bien pero se nota que la calidad no es la de la original.
RESPUESTA: neutro

EJEMPLO: No me ha llegado el producto. Fecha prevista 9 marzo. Figura como enviado. No sé que ha podido pasar. Gracias
RESPUESTA: negativo

EJEMPLO: En poco tiempo el asa que sube y baja ya no funciona correctamente. Estoy decepcionada, ya que era para utilizar todas las semanas.
RESPUESTA: neutro

EJEMPLO: No lo recomiendo. Es de baja calidad. La salida RCA analógica nunca ha funcionado. Si me llego a dar cuenta a tiempo lo hubiera devuelto :-(
RESPUESTA:


MODEL OUTPUT

 RCA analógica nunca ha funcionado. Si me llego dar cuenta a la tempo lo hubiera devuelto :-(


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

EJEMPLO: Van muy bien y son cómodos. La durabilidad es un poco corta en cuanto al material antideslizante. En un par de meses con un uso de 3 veces por semana, se van perdiendo los antideslizantes.
RESPUESTA: neutro

EJEMPLO: Para qué decir más...
RESPUESTA: negativo

EJEMPLO: Cumple su propósito aunque son bastante endebles, hay que poner prendas ligeras si no se abren por el peso.
RESPUESTA: neutro

EJEMPLO: Me leí el libro de la chica del semáforo y el hombre del coche y me encantó, desde mi punto de vista este libro sobraba un poco, tiene muchísimas erratas que se deberían corregir, lo dicho este libro no es necesario leerlo
RESPUESTA: negativo

EJEMPLO: Superadas mis espectativas! Muy estables para las tazas.
RESPUESTA: positivo

EJEMPLO: Cómodos, antideslizantes, ligeros para trabajar
RESPUESTA:


MODEL OUTPUT

 ligeras para trabajar


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

EJEMPLO: Es muí bonito igual que en la. Foto gracias
RESPUESTA: positivo

EJEMPLO: Esta bien, es fino, queda mas grande de lo que se indica en el tallaje. El gorro también es grande.
RESPUESTA: neutro

EJEMPLO: Me gusta porque da un tono de color a la salita tipo cine ya que puede poner los tonos mas suaves o mas fuertes,son algo mas de 75cm y los mios rodean la tele como se ve en la foto,lo unico que veo un poco flojo es la cinta de pegar que no se lo que aguantara
RESPUESTA: positivo

EJEMPLO: Era un regalo y la verdad que esta dando la talla que deseaba!! Facil de utilización y muy creativo.
RESPUESTA: positivo

EJEMPLO: La calidad no es muy buena. A la primera puesta le han salido un montón de bolas y me ha dejado el colchón lleno de pelusas como se puede ver en la foto adjunta. Además, los laterales no viene con costura. No lo recomiendo.
RESPUESTA: negativo

EJEMPLO: Quizá lo compré un poco grande y por eso se me caen Igual que en la foto. Ojo ! Elegir bien la talla
RESPUESTA:


MODEL OUTPUT

 positive EJEMPLO: I want to compré un poco grande y por eso se me caen Igual que en la foto. Ojo! Elegir bien


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

EJEMPLO: Encaja a la perfección
RESPUESTA: positivo

EJEMPLO: Me ha gustado porque tiene una buena estructura y gran capacidad para guardar ropa, calzado...
RESPUESTA: positivo

EJEMPLO: Para una cama de 1,35 son pequeñas no corresponden las medidas
RESPUESTA: negativo

EJEMPLO: Es falso,trae una bomba que no es la de Loreal.He iniciado la devolución.
RESPUESTA: negativo

EJEMPLO: Gran Altavoz. Buen sonido, buenos graves, buen volumen...
RESPUESTA: positivo

EJEMPLO: Una auténtica porquería.
RESPUESTA:


MODEL OUTPUT

 Una auténtica porque era.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

EJEMPLO: Me ha gustado porque tiene una buena estructura y gran capacidad para guardar ropa, calzado...
RESPUESTA: positivo

EJEMPLO: Fatal!!! No funciona en inducción aunque pone que si, es un engaño!!!!!
RESPUESTA: negativo

EJEMPLO: El articulo parece que venia usado...mal embalado y medio abierta la caja interior....
RESPUESTA: neutro

EJEMPLO: En su línea, la verdad. Acción hasta el final, mujeres apasionantes, hombres enamorados y mucha acción. La verdad es que engancha desde el principio.
RESPUESTA: positivo

EJEMPLO: Apenas 4 meses y ya no carga. Mucho peor que la batería original
RESPUESTA: negativo

EJEMPLO: Me llegó abierta la caja y faltaba una barritas! Un engaño total
RESPUESTA:


MODEL OUTPUT

 negative


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

EJEMPLO: La tarta es un poco pequeña y los complementos más aun. Me esperaba otra cosa. Pero está bien. Es plástico todo
RESPUESTA: neutro

EJEMPLO: Las compré para aguas abiertas, muy buenas gafas una vez que las ajustas bien. Por el material parece que entre agua, pero no. Una gran ventaja que tengan lentes polarizadas, van muy bien cuando da el sol de cara. Muy buen producto, ya veremos cuanto dura la estanqueidad.
RESPUESTA: positivo

EJEMPLO: Cumple su función, aunque la calidad de los materiales deja algo que desear. Se ve que es plástico del barato y da sensación de fragilidad. Veremos como aguanta el paso del tiempo y los usos.
RESPUESTA: neutro

EJEMPLO: El cristal le va pequeño a la pantalla, por los lados sobra un monton así que no lo cubre por completo, uno de los 2 cristales que iban en el paquete llevaba como una mota de polvo de fabrica insalvable. No lo recomiendo.
RESPUESTA: negativo

EJEMPLO: Ya había probado varios aparatos de este tipo y este supera todos los que ya he tenido . Es muy cómodo que sea recargable y no de pilas como la mayoría. Pero además el mango giratorio es una comodidad.
RESPUESTA: positivo

EJEMPLO: La mesa cumple con lo que necesitaba. Pesa poco, se pliega facil, y es estable para dejar algo fijo en ella. Para estar tecleando o manejando cosas en ella no parece la mesa mas estable del mundo. El material es plastico.
RESPUESTA:


MODEL OUTPUT

 el material es el mercado.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

EJEMPLO: Muy buena calidad. Lo recomiendo.
RESPUESTA: positivo

EJEMPLO: Està bien para el precio que tiene
RESPUESTA: neutro

EJEMPLO: Estaria bien que fuese mas largo el hueco pars que no se quede tsn colgado el pints labios. Cumple su funcion si no tienes mucho dinero.
RESPUESTA: neutro

EJEMPLO: Funciona bien pero se nota que la calidad no es la de la original.
RESPUESTA: neutro

EJEMPLO: El producto no llegó en el tiempo indicado, exactamente 24 días después, es lamentable que pasen estas cosas, ya no me sirve el producto para la fecha en la que ha llegado.
RESPUESTA: neutro

EJEMPLO: Como pata esta bien si tienes adaptador. Calidad buena.
RESPUESTA:


MODEL OUTPUT

 positive


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

EJEMPLO: Para el colegio son perfectos.Duran mucho tiempo.Llegaron antes de tiempo.
RESPUESTA: positivo

EJEMPLO: la tela no es la que esperaba
RESPUESTA: neutro

EJEMPLO: Sirve, pero no tiene mucha calidad
RESPUESTA: neutro

EJEMPLO: Muy caros luego los he estado viendo 2euros iguales y la misma marca .se han pasado con el margen de beneficio
RESPUESTA: neutro

EJEMPLO: Solo me llegó una pieza cuando el pedido era de 6
RESPUESTA: negativo

EJEMPLO: No duran mucho tiempo (6 meses)
RESPUESTA:


MODEL OUTPUT

 negative


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

EJEMPLO: Es agradable y protege. Ya lo sabemos que la proteccion es así pero este año no me he quemado y tengo algo de color
RESPUESTA: positivo

EJEMPLO: A mi hija la ha encantado. Viene además 2 hojas con pegatinas de estrellas, círculos y formas pequeñas en color rojo y plata y se lo ha pasado genial pintando y pegándolas.
RESPUESTA: positivo

EJEMPLO: Mi hija esta en un campamento y nos pidieron que llevara unos rotuladores acrilicos para hacer distintas manualidades, pintar en tazas, piedras...etc. Esta super contenta con los rotuladores porque los colores son muy bonitos y pintan bien. Todo un acierto
RESPUESTA: positivo

EJEMPLO: El color rojo va genial para las ojeras aguanta todo el día. Y el verde para tapar las rojeces me encantan
RESPUESTA: positivo

EJEMPLO: El difusor no es fino suelta grumos, no es transparente, el faro pierde transparencia y encima toma un color azulado no lo recomiendo usarlo para faros a no ser q seas un chapuzas
RESPUESTA: negativo

EJEMPLO: Me a llegado rallada los dibujos y de color naranja , no es lo que pone en la descripción ponía de color rosa y llega de otro color .
RESPUESTA:


MODEL OUTPUT

 eso es el tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasificada el


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

EJEMPLO: Un poquito escaso pero funciona , hay que seguir bien todos los pasos
RESPUESTA: positivo

EJEMPLO: Es una maravilla nos ha llegado super rapido y mis hijos estan encantados construyendo toda clase de cosas,me parece un juego muy didactico y que les ayuda a pensar y desarrollar su creatividad, en mi caso buscaba algo asi y he acertado Los materiales son muy buenos
RESPUESTA: positivo

EJEMPLO: Hola, el producto me parece muy bueno pero solicité su devolución y nunca vienieron. la empresa con la que trabajan de envío no es buena.
RESPUESTA: neutro

EJEMPLO: No están mal y se mantienen bastante pero tiene brillantina y es lo que no me gusta y no compraré más por ese motivo
RESPUESTA: neutro

EJEMPLO: Yo usaba el tamaño slim que compraba en el estanco y pensaba que estos eran iguales pero no, son aún más cortos. Yo uso una liadora manual y ya me apaño pero para quien los lie a mano necesitará práctica. Por lo demás, relación cantidad-precio excelente.
RESPUESTA: neutro

EJEMPLO: No sé lo que durará, pero eso de poder cortar el celo automaticamente mientras lo pones, es fantástico. La idea es brillante y de momento, funciona muy bien. Para la gente que ponga carteles, supongo que es una herramienta obligatoria. Recomendable 100%
RESPUESTA:


MODEL OUTPUT

 100%


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

EJEMPLO: Diseño poco innovador
RESPUESTA: neutro

EJEMPLO: Utilizó la tarjeta de sonido para conectar un micro PC y sacar el sonido por los altavoces de una máquina de gimnasio. El resultado sonido perfecto y potente, sin necesidad de configurar nada. Perfecto.
RESPUESTA: positivo

EJEMPLO: Fácil de conectar, pequeño y manejable. El sonido regular y se oye bastante flojito. No lo volvería a comprar.
RESPUESTA: neutro

EJEMPLO: Mala calidad, solo funciona la mitad, nada recomendable
RESPUESTA: neutro

EJEMPLO: Un desastre de producto. Los globos imposibles de inchar, sin instrucciones, Valvulas imposibles y que se rompen. No lo recomiendo en absoluto.
RESPUESTA: negativo

EJEMPLO: después de un mes, imposible conectar con ningún dispositivo....mala compra
RESPUESTA:


MODEL OUTPUT

 ningn dispositivo


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

EJEMPLO: Muy buena calidad. Lo recomiendo.
RESPUESTA: positivo

EJEMPLO: SIEMPRE LO COMPRO, PERO LO MALO ES EL PRECIO, MUY CARO Y CADA VEZ LO SUBEN MAS DE PRECIO CUANDO SON UNAS PEGATINAS. NO OBSTANTE, HACEN SU USO, PERO SOLO POR UNOS DIAS ESCASOS... AUN ASI ES UNA NOVEDAD
RESPUESTA: neutro

EJEMPLO: No me ha gustado nada. Mucho calor dentro, resiste mal el viento, aunque no sea fuerte, los enganches se sueltan de las piquetas con facilidad. No la recomiendo.
RESPUESTA: negativo

EJEMPLO: Molde resistente y bueno. No pesa nada. Muy práctico.
RESPUESTA: positivo

EJEMPLO: Me he quedado un tanto decepcionado con el producto. Baja estabilidad, materiales poco resistentes, sensación de poco recorrido hacen que lo pagado sea lo justo por lo recibido. Vistas las críticas de anteriores compradores me esperaba más. Aún me estoy pensando si estrenarlo o si directamente proceder a su devolución.
RESPUESTA: neutro

EJEMPLO: Cumple su función, es ligero con gran resistencia. Se pliega hasta ocupar muy poco espacio. Lo recomiendo, por su calidad y precio
RESPUESTA:


MODEL OUTPUT

 positive EJEMPLO: Que es ligero con gran resistencia. Se pliega hasta ocupar muy poco espacio.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

EJEMPLO: Me leí el libro de la chica del semáforo y el hombre del coche y me encantó, desde mi punto de vista este libro sobraba un poco, tiene muchísimas erratas que se deberían corregir, lo dicho este libro no es necesario leerlo
RESPUESTA: negativo

EJEMPLO: El arte del juego es precioso. La historia merece ser vista al menos. La edición coleccionista, a ese precio, y con este juego, merece salir de camino a casa de cualquier jugon.
RESPUESTA: positivo

EJEMPLO: Un libro chulísimo, mezclando historia y chistes gráficos. Para todos los que conozcan el canal de youtube les va a gustar, porque ya conocen el estilo que manejan Pascu y Rodri, los autores. Por ponerle sólo un pero, demasiado corto.
RESPUESTA: positivo

EJEMPLO: El envío muy rápido, el mismo día del lanzamiento del libro. La lástima es que me lo han mandado algo deteriorado, en la parte superior hay una zona que está como rasgada. Era para un regalo.
RESPUESTA: neutro

EJEMPLO: Comencé a leer este relato con mucho interés y curiosidad, pues como lector aficionado a la historia, especialmente a la historia de España, he de reconocer con humildad que me queda mucho por leer y por conocer de no pocos capítulos de la nuestra historia, y ese era uno de ellos, la guerra de África. Luz para el olvido me ha sorprendido positivamente por su fácil y amena lectura de principio a fin, he disfrutado y he aprendido mucho, a la vez que el, capitán médico Luis María Alonso me ha sorprendido por su carácter, su fuerte personalidad, su confianza en sus principios y su fidelidad a los mismos, fue tanta su honestidad consigo mismo que le costó la vida. Considero que es una lección de historia recomendable para todos los españoles que quieran aprender y disfrutar con la lectura.
RESPUESTA: positivo

EJEMPLO: RECOMENDARÍA EL LIBRO A LOS INTERESADOS EN HISTORIA MEDIEVAL. ES UN LIBRO INTERESANTE Y BIEN ILUSTRADO. EL TAMAÑO ES ADECUADO.
RESPUESTA:


MODEL OUTPUT

 EL LIBOR  LOS INTERESADOS EN HISTORIA MEDIEVAL. ES UN LIBOR INTERESANTE Y BÉNÉILUSTRADO. EL TAMAO ES ADECUADO.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

EJEMPLO: No me gusta nada de nada....pero es lo que quiere mi hija. Lo espera con ilusión....así que....bueno. Me parece un juguete muy caro para lo que es.
RESPUESTA: negativo

EJEMPLO: muy agradable y comoda
RESPUESTA: positivo

EJEMPLO: No pesa, no abulta, no se mueve. Me parece perfecto. Para una micro cuatro tercios, es perfecto. Si lo recomiendo.
RESPUESTA: positivo

EJEMPLO: Preparo comida a primera hora de la mañana para llevármela a la oficina y con cremas y sopas me encuentro que, aún pasadas 6h, la comida está muy caliente y debo andar con ojo para no quemarme la boca.
RESPUESTA: positivo

EJEMPLO: 3 estrellas porque llegó tarde y no en la fecha prevista.Como no el reparto tenía que ser con Seur.En cuanto a la mochila es tal y como la ves,ni más ni menos.
RESPUESTA: neutro

EJEMPLO: Se mueve muy fácilmente y cuando se mueve, se enciede. A nada que lo tocas. No tiene freno
RESPUESTA:


MODEL OUTPUT

 es el tarea de clasificación de texto. Los textos que vas procesar de la ambito de opiniones de productos. Quiero que me clasificada en una tarea de


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

EJEMPLO: Era un regalo y la verdad que esta dando la talla que deseaba!! Facil de utilización y muy creativo.
RESPUESTA: positivo

EJEMPLO: No me gusto porque se equivocaron de producto ,y estoy esperando a que vengan a por el ,y hace casi un mes y no a pasado nadie, me gustaría saber si al final tengo que ir a devolverlo a correos
RESPUESTA: negativo

EJEMPLO: Lo compré en una oferta del black-friday para algún regalo, y al final me lo quedé para los niños, es asequible y tiene muchas piezas para entretenerse con los imanes.
RESPUESTA: neutro

EJEMPLO: Ideal original y divertida Bolsitas de regalo o para poner golosinas, bombones, etc La forma de las orejas con el nudo ya depende de la gracia que tenga cada uno. Se recomienda rellenar bien para que no queden granos en la cara del muñeco
RESPUESTA: positivo

EJEMPLO: La compré porque tenía la original que me quedaba grande. Ésta me queda perfecta y me encanta el color. Llevo con ella ya tiempo y sigue como el primer día.
RESPUESTA: positivo

EJEMPLO: Loc compre para un regalo, es perfecto le encantó, es mas grande de lo que me esperaba. No me ha decepcionado los lego siempre son un acierto y son lo que ves en la caja. Me ha gustado mucho
RESPUESTA:


MODEL OUTPUT

 No me ha decepcionado los lego siempre son un acierto y son lo que ves en la caja. Me ha gustado mucho


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

EJEMPLO: Me leí el libro de la chica del semáforo y el hombre del coche y me encantó, desde mi punto de vista este libro sobraba un poco, tiene muchísimas erratas que se deberían corregir, lo dicho este libro no es necesario leerlo
RESPUESTA: negativo

EJEMPLO: Es tal y lo que te pone en la descripción, sin más, aunque la apertura de la basura, con el pedal, me da la impresión que se romperá dentro de no mucho tiempo, ya que se abre muy de golpe, aunque lo presiones suavemente.
RESPUESTA: neutro

EJEMPLO: Mi hija está encantada , con 6 años tiene las uñas pequeñas todavía y le quedan muy justas las calcomanías pero ella está encantada
RESPUESTA: positivo

EJEMPLO: Un libro chulísimo, mezclando historia y chistes gráficos. Para todos los que conozcan el canal de youtube les va a gustar, porque ya conocen el estilo que manejan Pascu y Rodri, los autores. Por ponerle sólo un pero, demasiado corto.
RESPUESTA: positivo

EJEMPLO: El envío muy rápido, el mismo día del lanzamiento del libro. La lástima es que me lo han mandado algo deteriorado, en la parte superior hay una zona que está como rasgada. Era para un regalo.
RESPUESTA: neutro

EJEMPLO: Este era el último libro que le faltaba a mi hermana de la trilogía y por supuesto le encantó, Por lo que recomiendo mucho todos los libros
RESPUESTA:


MODEL OUTPUT

 This was the last book I had to read to my sister of the triloga and for so long I recommend it, For what I recommend to all the libros


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

EJEMPLO: Por lo que vale la bombilla, debería ser led. Me parece muy cara para ser una bombilla incandescente.
RESPUESTA: negativo

EJEMPLO: Solo viene una en el paquete
RESPUESTA: neutro

EJEMPLO: La calidad no es muy buena. A la primera puesta le han salido un montón de bolas y me ha dejado el colchón lleno de pelusas como se puede ver en la foto adjunta. Además, los laterales no viene con costura. No lo recomiendo.
RESPUESTA: negativo

EJEMPLO: Son los mismos colores, son botes pequeños perfectos para un mejor trazado. Al ser esmaltes de gel necesitarás una lámpara de luz UV/LED pero son perfectos para darles un toque de brillo a la manicura.
RESPUESTA: positivo

EJEMPLO: Buenos materiales. Gran sonido. Sin problemas de conexión con ningún dispositivo Bluetooth que he probado. Los leds le dan un toque chic.
RESPUESTA: neutro

EJEMPLO: Solo encienden la mitad de los led
RESPUESTA:


MODEL OUTPUT

 en el paquete


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

EJEMPLO: Muy fino, abriga poco
RESPUESTA: neutro

EJEMPLO: Cumplen satisfactoriamente con la función. Se pueden recortar y son gruesas. Buena relación calidad precio
RESPUESTA: positivo

EJEMPLO: muy agradable y comoda
RESPUESTA: positivo

EJEMPLO: Me ha gustado porque tiene una buena estructura y gran capacidad para guardar ropa, calzado...
RESPUESTA: positivo

EJEMPLO: Muy buena funda, todo perfecto!
RESPUESTA: positivo

EJEMPLO: Muy fina, poca protección
RESPUESTA:


MODEL OUTPUT

 neutro


PARSE RESULT

 ['neutro']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

EJEMPLO: Yo usaba el tamaño slim que compraba en el estanco y pensaba que estos eran iguales pero no, son aún más cortos. Yo uso una liadora manual y ya me apaño pero para quien los lie a mano necesitará práctica. Por lo demás, relación cantidad-precio excelente.
RESPUESTA: neutro

EJEMPLO: Un teléfono ajustado a la definición. Sencillo y práctico. El timbre de llamada un poco bajo
RESPUESTA: neutro

EJEMPLO: No lo recomiendo!!! envío fue rápido .. pero muñeca tiene un ojito mal pintada ..estoy muy decepcionada con la compra deberían revisar los envíos antes de empaquetarlos
RESPUESTA: negativo

EJEMPLO: El material no es de muy buena calidad. el pedido tardo mucho ,no estoy muy contento con esta compra,no lo recomiendo
RESPUESTA: negativo

EJEMPLO: Por lo que cuesta, no está mal, recomendable su compra, como producto asequible.
RESPUESTA: neutro

EJEMPLO: Decepcionada se supone que es universal pero para el carro jane muun no vale no encaja en eñ cabezero porque la tela de saco es rigida y muy estrecha.
RESPUESTA:


MODEL OUTPUT

 Decepcionada se supone que es universal pero para el carro jane muun no vale no encaja no encaja no encaja no encaja no encaja no enca


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

EJEMPLO: No asusta palomas. No sirve para lo que pone.
RESPUESTA: negativo

EJEMPLO: Es bastante simple y no trae muchas cosas pero más completo que otros que he visto más caros. Para el precio está bien.
RESPUESTA: neutro

EJEMPLO: Funciona bien, pero a veces apretando se suelta.
RESPUESTA: neutro

EJEMPLO: Lo compre pensando en conectar para transmisión de datos y solo sirve para cargar la batería. Para esto último es práctico. Pero si lo quieres para otra cosa no vale.
RESPUESTA: neutro

EJEMPLO: Sirve, pero no tiene mucha calidad
RESPUESTA: neutro

EJEMPLO: Consta como un cartucho vacío, no sirve para nada.
RESPUESTA:


MODEL OUTPUT

 neutral


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

EJEMPLO: El protector de pantalla llegó un poco roto.
RESPUESTA: neutro

EJEMPLO: Después de unos meses de uso cumple su función. Materiales y acabados buenos, lo que no me gusta es que la ventana es muy oscura y cuesta ver la hora
RESPUESTA: neutro

EJEMPLO: El arte del juego es precioso. La historia merece ser vista al menos. La edición coleccionista, a ese precio, y con este juego, merece salir de camino a casa de cualquier jugon.
RESPUESTA: positivo

EJEMPLO: todo parce bien, aun no lo he probado pero de primer vistazo todo esta correcto, no pongo más estrellas por eso
RESPUESTA: neutro

EJEMPLO: EL AJUSTE A LA BARANDILLA ES MUY GRANDE EN LA POSICION MINIMA
RESPUESTA: neutro

EJEMPLO: El pantalón destiñe, ha manchado las sábanas de verde en el primer uso
RESPUESTA:


MODEL OUTPUT

 el pantalón destie, ha manchado las sábanas verdes en el primer uso


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

EJEMPLO: Funciona bien, pero a veces apretando se suelta.
RESPUESTA: neutro

EJEMPLO: El envio correcto, el empaquetado correcto pero para su precio esperaba algo mas grande con eso no me llega ni para una pierna lo siento muy pequeño
RESPUESTA: neutro

EJEMPLO: El armario está bastante bien. Pero el tema de mensajeria deja mucho que desear, aunque llego relativamente rapido (algo menos de 2 semanas), vino con varios golpes los cuales dificultan el montaje e interrumpen el cierre y apertura de puertas
RESPUESTA: neutro

EJEMPLO: Buena succión de aire. Lo usé para sustituir el que tenía con las mismas medidas
RESPUESTA: neutro

EJEMPLO: Es pequeño, silencioso y no pesa nada. Lo uso para calentar una habitación de tamaño medio y a los 10 minutos (a máxima potencia) tengo que apagarlo porque hace calor. Genial.
RESPUESTA: positivo

EJEMPLO: CUMPLE LA MISION PARA MEDIR CUALQUIER ANGULO,.ES ALGO PEQUEÑO TE TIENES QUE AUXILIAR DE UNA REGLA.EL ENVIO FUE RAPIDO Y MUY BIEN EMBALADO.
RESPUESTA:


MODEL OUTPUT




PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

EJEMPLO: Buenos guantes, calentitos, quizás un poco pequeños, pero yo tengo manos grandes. Al quedarme pequeños y estirarlos un poco, se ha roto el encaje.
RESPUESTA: neutro

EJEMPLO: Tiene un perfume muy agradable y duradero a la vez que discreto. Una sola barrita al día perfuma mi salón para todo el día.
RESPUESTA: positivo

EJEMPLO: Es un rollo para ponerlo en marcha...
RESPUESTA: neutro

EJEMPLO: Ha llegado la caratula un poco rajada. Por lo demás todo bien.
RESPUESTA: neutro

EJEMPLO: Encaja a la perfección
RESPUESTA: positivo

EJEMPLO: Las veo un poco flojas para un perro grande..
RESPUESTA:


MODEL OUTPUT

 el encaje veo un poco flojas para una gran esquina.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

EJEMPLO: Me ha gustado mucho el producto. El diseño y calidad muy buenos. El pedido llegó muy rapido. Me ha encantado
RESPUESTA: positivo

EJEMPLO: Es un rollo para ponerlo en marcha...
RESPUESTA: neutro

EJEMPLO: Cumple su función, aunque la calidad de los materiales deja algo que desear. Se ve que es plástico del barato y da sensación de fragilidad. Veremos como aguanta el paso del tiempo y los usos.
RESPUESTA: neutro

EJEMPLO: Después de unos meses de uso cumple su función. Materiales y acabados buenos, lo que no me gusta es que la ventana es muy oscura y cuesta ver la hora
RESPUESTA: neutro

EJEMPLO: Mi hija está encantada , con 6 años tiene las uñas pequeñas todavía y le quedan muy justas las calcomanías pero ella está encantada
RESPUESTA: positivo

EJEMPLO: Lo malo es que me hubiese gustado que el rollo fuera mas largo. Para poder aprovecharlo mejor. Pero el material es de buena calidad.
RESPUESTA:


MODEL OUTPUT

 el malo es que me hubiese gustado que el rollo fuera mas largo. Para poder aprovecharlo mejor. Pero el material es de buena calidad.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

EJEMPLO: Muy liviano, el material parece hojalata. Muy bonito por dentro y por fuera. El casquillo es bastante pobre. El cable y embellecedor están correctos. Pero se come casi toda la luz de la bombilla, necesita muchisima potencia para que de luminosidad. Y es una luz muy muy anaranjada. Si quieres un ambiente tenue, ok.
RESPUESTA: neutro

EJEMPLO: no se actualiza, no marca bien la distancia,se gasta muy pronto la bateria, con 3 semanas de uso se a partido la trabilla de garga, no lo recomiendo, la aplicacion del movil no actualiza
RESPUESTA: negativo

EJEMPLO: Da mucha luz para poder dormir en la habitación
RESPUESTA: neutro

EJEMPLO: Son los mismos colores, son botes pequeños perfectos para un mejor trazado. Al ser esmaltes de gel necesitarás una lámpara de luz UV/LED pero son perfectos para darles un toque de brillo a la manicura.
RESPUESTA: positivo

EJEMPLO: Solo mencionar que un día de lluvia y la luz dejo de funcionar
RESPUESTA: negativo

EJEMPLO: Hacen perfectamente su función. La luz delantera ilumina muchísimo incluso en su nivel mas bajo, y la trasera se ve perfectamente a muchísima distancia. La bateria para la luz delantera tiene mucha autonomia. El montaje es muy sencillo. Recomendo para todo el mundo. Gracias.
RESPUESTA:


MODEL OUTPUT

 Gracias.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

EJEMPLO: Él color no se ajusta al de e la foto. Por lo demás todo perfecto.
RESPUESTA: neutro

EJEMPLO: La peor cámara que he tenido en mis manos. Dos veces la he tenido que reemplazar al primer día de uso. Al final con la mitad de accesorios comprados la he tenido que devolver y no comprarla más. La cámara se queda congelada. Se cargaba la batería cuando ella quería y se descargaba sola sin usarla. Problemas de actualización, vamos si quieres tirar el dinero cómprate está cámara. Una gran decepción. Esperaba que está cámara funcionara bien pero ha sido una pesadilla. Amazon me dijo que la iba a quitar de la venta por que había muchísimas devoluciones de esta cámara
RESPUESTA: negativo

EJEMPLO: Por lo que vale la bombilla, debería ser led. Me parece muy cara para ser una bombilla incandescente.
RESPUESTA: negativo

EJEMPLO: Es una monada. El tamaño y colores es el indicado, tiene luces y sonido ( imita a ebullición) los accesorios de un plástico muy aceptable . Son rígidos.
RESPUESTA: positivo

EJEMPLO: En menos de 2-3 meses perdieron el color, totalmente descoloridas y dejaron de ser azules marino para pasar a tener falta de color, compra muy mala, ya es la segunda vez que me ocurre, no volveré a comprarlas.
RESPUESTA: negativo

EJEMPLO: No e tenido bombillas de estas pero son una pasada, Pones una película y le cambias el color y esta súper bien, la app tiene varias modalidades. Modo lectura ,desayuno disco etc...
RESPUESTA:


MODEL OUTPUT

 el ejemplos de estas palabras, o el ejemplos de estas palabras, o el ejemplos de estas palabras, o el eje


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

EJEMPLO: Después de unos meses de uso cumple su función. Materiales y acabados buenos, lo que no me gusta es que la ventana es muy oscura y cuesta ver la hora
RESPUESTA: neutro

EJEMPLO: Las compré para aguas abiertas, muy buenas gafas una vez que las ajustas bien. Por el material parece que entre agua, pero no. Una gran ventaja que tengan lentes polarizadas, van muy bien cuando da el sol de cara. Muy buen producto, ya veremos cuanto dura la estanqueidad.
RESPUESTA: positivo

EJEMPLO: ES EXACTAMENTE IGUAL QUE EN LA FOTO, PERO LO MALO ES QUE EN LA BASE TIENE AGUJERITOS OSEA QUE SI LO DEJAS EN LA ENCIMARA EL AGUA SE COLARA, ABRIA QUE PONER ALGO DEBAJO
RESPUESTA: neutro

EJEMPLO: Aparentemente es bonito y fácil de colocar, pero cuando sales a la calle y lo tienes que usarlo para advertir algún peatón que se cruza despistado o deseas avisar, para poder pasar o adelantar. El sonido es muy débil insuficiente para una ciudad o pueblo. Es una pena el producto es bonito pero no merece la pena comprarlo.
RESPUESTA: negativo

EJEMPLO: Parece que protege bien, pero lo he devuelto porque no se apoya de manera estable. Queda demasiado vertical y es fácil que se caiga.
RESPUESTA: negativo

EJEMPLO: Practico, parece que no se debe oxidar con el agua, se engancha como si fuera una percha a un grifo o similar, pero la ventosa inferior no pega con la fuerza necesaria y se desplaza. Ojo si el enganche es prominente los estantes quedarán muy separados de la pared y se caerán por detrás
RESPUESTA:


MODEL OUTPUT

 Practico, parece que no se debe oxidar con el agua, se engancha como si fuera una percha a un grifo o similar, pero la ventosa inferior no pega con la fu


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

EJEMPLO: Para mí es uno de los mejores. Lo compré por que me hacía falta para ¡ya! . Lo peor, el precio pues lo compro más barato en otros sitios.
RESPUESTA: positivo

EJEMPLO: Es un buen cinturón, estoy contento con el, se le ve de buen material y funciona de manera perfecta, contento.
RESPUESTA: positivo

EJEMPLO: Muy contento al ver la cara de mi mujeres...
RESPUESTA: neutro

EJEMPLO: Perfecto a un precio increíble
RESPUESTA: positivo

EJEMPLO: Muy bonitos pero bastante pequeños. Precio elevado. Más de ocho euros
RESPUESTA: neutro

EJEMPLO: Mejor de lo que me esperaba un precio increible muy contento
RESPUESTA:


MODEL OUTPUT

 positive


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

EJEMPLO: El producto y su propia caja en el que viene empaquetado los botes es bueno, pero la caja del envío del trasporte es horrible. La caja del transporte llego completamente rota. De tal manera que los botes me los entregaron por un lado y la caja por otro. El transporte era de SEUR, muy mal.
RESPUESTA: neutro

EJEMPLO: Es justo lo que buscaba ni más ni menos y además es como la que tenía de hace ya años.
RESPUESTA: positivo

EJEMPLO: Despues de 2 dias esperando la entrega ,tuve que ir a buscarlo a la central de DHL de tarragona ,pese a haber pagado gastos de envio (10 euros),y encima me encuentro con un paquete todo golpeado en el que faltan partes del embalaje de carton y el resto esta sujeto por multitud de tiras de celo gigantesco pata que no se desmonte el resto de la caja ,nefasto he hecho varias reclamaciones a la empresa de transporte y encima me encuentro el paquete en unas condiciones horrorosas con multiples golpes,espero que al menos funcione.Nada recomendable,ni el vendedor ni amazon ni por supuesto el transportista DHL.
RESPUESTA: negativo

EJEMPLO: A pesar de estar tomándome este producto durante dos meses y medio religiosamente cada día ,no sirve absolutamente de nada, porque sigo blanca como la pared. Admiro a las personas que lo han tomado y les ha funcionado pero desde luego a mí, no ha sido el caso. Decían que empezaba a funcionar desde el segundo mes pero pienso que aunque lo tomase 12 meses seguiría igual.
RESPUESTA: negativo

EJEMPLO: Por lo que cuesta, no está mal, recomendable su compra, como producto asequible.
RESPUESTA: neutro

EJEMPLO: El producto exacto y sin una queja. En cambio el transporte TARDE MAL Y NUNCA. No sólo no entregaron el paquete a tiempo dos días más tarde de lo acordado si no que además tuve que desplazarme yo a buscarlo a la central Cuando yo estoy pagando por un servicio puerta a puerta. Correos express MUY MAL. Y NO ES LA PRIMERA VEZ
RESPUESTA:


MODEL OUTPUT

 TARDE MAL Y NUNCA. No sólo no entregaron el paquete a tiempo de dos das más tarde de lo acordado si no que además tuve que


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

EJEMPLO: las he utilizado una vez, las he lavado en el lavavajillas y han salido oxidadas y eso que en la descripción pone que son de acero inoxidable... no las recomiendo
RESPUESTA: negativo

EJEMPLO: El envio correcto, el empaquetado correcto pero para su precio esperaba algo mas grande con eso no me llega ni para una pierna lo siento muy pequeño
RESPUESTA: neutro

EJEMPLO: El sonido me a parecido bastante decente pero me hacen daño en las orejas después de un tiempo puestos. Los he devuelto
RESPUESTA: neutro

EJEMPLO: No corresponde con la descripción Se descarga rápido la batería He hecho reembolso del producto as de un mes y no me han devuelto el dinero
RESPUESTA: negativo

EJEMPLO: Las tallas ...es dificil acertar con la correcta o te aprietan mucho o te sobra...
RESPUESTA: neutro

EJEMPLO: Después de unos meses de uso cambio mi valoración seguido de mi opinión: El dispensador ha dejado de funcionar correctamente, el vendedor sólo me contestó para preguntarme por el número de pedido, una vez se lo dije... no he vuelto a saber nada mas de el, ni ha dado soluciones, ni mucho menos ha intentado buscarlas o averiguar por que falla. Por otro lado destacar que ha empezado a oxidarse... Raro ya que el anuncio ponía claramente de Acero Inoxidable... ------------------------------------------------------------------------------------------ La tecnología llega a nuestras casas... hace unos meses compré una papelera/basura también con sensor de proximidad y apertura automática. Quede muy contento y me arriesgue con este dispensador de jabón. La principal característica y ventaja es que no "pringas" nada. Puedes tener las manos llenas de jabón o agua y solo con aproximar la mano al sensor el dispensador se activa. Es muy fácil de utilizar, dispone de dos botones, + y - estos sirven para graduar la descarga del dispensador. Pulsando más de 3 segundos el +, podemos encenderlo o apagarlo. La carga se efectúa por la parte superior desde un tapón de media rosca. Destacar que el dispensador utiliza 4 pilas del tipo A++ que no van incluidas en el paquete.
RESPUESTA:


MODEL OUTPUT

 La tecnologa llega a nosotros... hace unos meses compré una papelera/basura también con sensor de proximidad y apertura automática. Quede muy contento


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

EJEMPLO: Para el precio que tienen, bastante bien van. No tiene manera de apagarlos o encenderlos si no es conectando/desconectando el cable.
RESPUESTA: neutro

EJEMPLO: La facil instalacion y la calidad del mismo
RESPUESTA: positivo

EJEMPLO: Todo correcto, Muy recomendable. Buena opción para tener cables de reserva. Envio rapidisimo! Excelente relación calidad/precio. Recomendable para la empresa y en casa.
RESPUESTA: positivo

EJEMPLO: Magnífico cable recibe la señal perfectamente.
RESPUESTA: positivo

EJEMPLO: El ventilador cumple su función el problema principal para mí es que su cable de conexión es muy, muy corto y apenas me permite alejarlo un metro del enchufe
RESPUESTA: neutro

EJEMPLO: Muy buena relación calidad-precio , me solucionó el problema sin cables
RESPUESTA:


MODEL OUTPUT

 positive


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

EJEMPLO: No me ha gustado nada. Mucho calor dentro, resiste mal el viento, aunque no sea fuerte, los enganches se sueltan de las piquetas con facilidad. No la recomiendo.
RESPUESTA: negativo

EJEMPLO: Las figuras son aleatorias y vale lo mismo que en cualquier tienda/kiosco. Por lo tanto si lo coge el niño en la tienda puede ver si los tiene o no. En la foto salen los más difíciles de conseguir, los que quieren los niños, y luego vienen los que les parece. Repito, no merece la pena comprarlos por aquí, todo son inconvenientes.
RESPUESTA: negativo

EJEMPLO: Solo la he utilizado 1 una vez y se descosió la parte trasera que va al cinturón. De usar y tirar.
RESPUESTA: negativo

EJEMPLO: No pesa, no abulta, no se mueve. Me parece perfecto. Para una micro cuatro tercios, es perfecto. Si lo recomiendo.
RESPUESTA: positivo

EJEMPLO: la tela no es la que esperaba
RESPUESTA: neutro

EJEMPLO: Bonita y grande, de tela resistente, pero el cierre está mal conseguido y es incómodo y las tiras son muy endebles, no creo que resistieran un tirón y si llevas peso te molestan
RESPUESTA:


MODEL OUTPUT

 el cierre está mal conseguido y es incómodo y los tiras son muy endebles, y el cierre está mal conseguido y los tiras son muy


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

EJEMPLO: Para el precio que tienen, bastante bien van. No tiene manera de apagarlos o encenderlos si no es conectando/desconectando el cable.
RESPUESTA: neutro

EJEMPLO: Filtran perfectamente el sol cuando conduces, si en vez de plástico fueran de cristal seria perfecto. 😎
RESPUESTA: neutro

EJEMPLO: Los dos usb de los laterales tienen el problema de que no son 100% accesibles, tienes la opción de forzar un poco la placa y sus conexiones o como yo he hecho usar una pequeña lima y retirar ese milímetro que te sobra
RESPUESTA: neutro

EJEMPLO: El ventilador cumple su función el problema principal para mí es que su cable de conexión es muy, muy corto y apenas me permite alejarlo un metro del enchufe
RESPUESTA: neutro

EJEMPLO: Tiene el tubo muy pequeño, no sirve ni para botellas de 1 Litro. Viene empaquetado doblado lo cual facilita que se rompan los cables interiores del tubo. Un desastre y vale mucho más el envio que el producto en si.
RESPUESTA: negativo

EJEMPLO: el cable no tiene el suficiente peso como para rodar sin que de problemas y se enganche. La forma de enganche del cable a la maneta de forma lateral hace que el rodamiento no sea fluido.
RESPUESTA:


MODEL OUTPUT

 el cable tiene el suficiente peso como para rodar sin que de problemas y se enganche. La forma de enganche del cable a la maneta de forma lateral hace que el rodami


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

EJEMPLO: EDITO: 2 meses tras la compra ha dejado de funcionar los USB (motivo por el que compré el soporte. Evidentemente tiré la caja así que me quedo sin devolución y con una mesa de plástico.
RESPUESTA: negativo

EJEMPLO: La cafetera ha tenido problemas de conectividad con el bluetooth dos veces, y Nespresso no admite al taller cafeteras con ese tipo de problema.
RESPUESTA: negativo

EJEMPLO: Para el precio que tienen, bastante bien van. No tiene manera de apagarlos o encenderlos si no es conectando/desconectando el cable.
RESPUESTA: neutro

EJEMPLO: Cargador compatible con iPhone , pero se calienta
RESPUESTA: neutro

EJEMPLO: El producto está en mal estado y quiero q se me reembolse el dinero y yo comprar otro diferente porque este producto no está apto para la venta, golpeado y sin pintura, adjunto varías fotos para que lo comprueben ustedes mismo, y si quieren les mando el recibo de SEUR para que sepan que lo acabo de recibir no me a dado tiempo no a estrenarlo
RESPUESTA: negativo

EJEMPLO: El vendedor se queda en esta ocasión sin otra crítica positiva como todas las que tiene este producto por culpa de su mala praxis, que te lleguen estos auriculares en su caja rajada, con los precintos de plástico rotos y los auriculares sucios no es un buen comienzo, si a eso le añadimos que cuando vas a probarlos no está el cable de carga USB y que solo funciona el canal izquierdo por Bluetooth pues pasa lo que pasa en esta ocasión, que te llevas un cero patatero tanto en el artículo como en el vendedor.
RESPUESTA:


MODEL OUTPUT

 El vendedor se queda en esta ocasión sin otra crtica positiva como todos los que tiene este producto por culpa de su mala praxis, que te lleguen


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

EJEMPLO: Los dos usb de los laterales tienen el problema de que no son 100% accesibles, tienes la opción de forzar un poco la placa y sus conexiones o como yo he hecho usar una pequeña lima y retirar ese milímetro que te sobra
RESPUESTA: neutro

EJEMPLO: Me gusto porque llego muy rápido, pero luego no es muy practico ya q tienes que desmontar media silla xa poder ponerlos
RESPUESTA: neutro

EJEMPLO: Tenía un disco duro de 80 GB procedente de un portátil que tiré y me daba pena tirarlo. Compré esta carcasa, bien barata, y ahora tendo un USB de 80 GB. Como digo: Perfecto y barato.
RESPUESTA: positivo

EJEMPLO: Buenos materiales. Gran sonido. Sin problemas de conexión con ningún dispositivo Bluetooth que he probado. Los leds le dan un toque chic.
RESPUESTA: neutro

EJEMPLO: No funciona la carga, aunque si el audio
RESPUESTA: negativo

EJEMPLO: Funciona muy bien, lo conectas a la toma auxiliar del coche y ya puedes enviar la musica del movil, se empareja muy rapido y sin problemas, yo lo tengo puesto conectado siempre a un usb para alimentarlo, el volumen es mas alto si se esta cargando por usb.
RESPUESTA:


MODEL OUTPUT

 ltimo es el tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasificada el


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

EJEMPLO: Muy buena calidad. Envio rápido y correcto.
RESPUESTA: positivo

EJEMPLO: Es un buen cinturón, estoy contento con el, se le ve de buen material y funciona de manera perfecta, contento.
RESPUESTA: positivo

EJEMPLO: Su precio al que lo coji bastante bueno
RESPUESTA: positivo

EJEMPLO: Me gusto porque llego muy rápido, pero luego no es muy practico ya q tienes que desmontar media silla xa poder ponerlos
RESPUESTA: neutro

EJEMPLO: Es demasiado grueso, queda tosco y un pelín feo, las hay más discretas que quedan mucho mejor por el mismo precio
RESPUESTA: neutro

EJEMPLO: Muy bueno. Estoy muy contenta por su rapidez y prestaciones
RESPUESTA:


MODEL OUTPUT

 positive


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

EJEMPLO: Muy pesado, difícil de desmontar, el color se desgasta, la cesta de atrás siempre con mucho polvo, he de limpiarla todos los días
RESPUESTA: neutro

EJEMPLO: Apenas 4 meses y ya no carga. Mucho peor que la batería original
RESPUESTA: negativo

EJEMPLO: Muy buen producto. Viene con pilas para la luz. Muy estable y practico. La verdad es que lo recomiendo totalmente
RESPUESTA: positivo

EJEMPLO: El recambio es igual a las originales, compramos este modelo porque para mi gusto, limpian mejor que las que solo son redondas. Ajusta perfecto al cepillo Oral-B y tienes recambios para olvidarte de ellos durante muchisimo tiempo!
RESPUESTA: positivo

EJEMPLO: Pedí un collar rojo y me vino en color verde. Pero por lo demás el producto promete. Las luces tienen tres posiciones y es fácil de adaptar al cuello del perro.
RESPUESTA: neutro

EJEMPLO: Practico, útil y sencillo. Apenas se ensucia y es fácil de limpiar. La batería del teclado dura mucho tiempo, aunque no incluye cargador para este. La funda protege perfectamente pero sin ocupar mucho. El color rosa es mas bonito que en la foto.
RESPUESTA:


MODEL OUTPUT

 rosa


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

EJEMPLO: Cumple sin más, relación calidad/precio aceptable. Fácil de instalar. La verdad que hay otras opciones que me parecen mejor, pero no está mal.
RESPUESTA: neutro

EJEMPLO: Era para otra persona y me dice que van bien. Más tarde vimos que se pueden conseguir más baratos en tiendas.
RESPUESTA: neutro

EJEMPLO: Buen producto y buen precio
RESPUESTA: neutro

EJEMPLO: Está bien para el precio que tiene, no sirve para llevar cosas frías, el tamaño es un poco justo, caben dos tuppers pequeños y una lata
RESPUESTA: neutro

EJEMPLO: Rápido envío superfacil instalación pero a la primera caída se ha roto y despegado.
RESPUESTA: neutro

EJEMPLO: Igual que el que venden en cualquier tienda, fácil instalación a buen precio.
RESPUESTA:


MODEL OUTPUT

 Igual que el que venden en cualquier tienda, fácil instalación a buen precio.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

EJEMPLO: Molde resistente y bueno. No pesa nada. Muy práctico.
RESPUESTA: positivo

EJEMPLO: Duradera y limpia. Algo almohadillada. Perfecta para debajo de los fuegos
RESPUESTA: positivo

EJEMPLO: Práctica pero le falta que el suelo sea rígido.
RESPUESTA: neutro

EJEMPLO: Comoda, y de buena calidad, recomendada
RESPUESTA: positivo

EJEMPLO: Me encanta para el bebe muy practico lo recomiendo 100%
RESPUESTA: positivo

EJEMPLO: Práctica y resistente. Bastante cómoda
RESPUESTA:


MODEL OUTPUT

 neutral


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

EJEMPLO: Estoy muy contenta. Lo conecto cuando salgo del trabajo y al llegar a casa ya está caliente. También lo puedes programar, hora de encendido, apagado, grados. Te dice también en el móvil a cuantos grados está tu casa. Yo lo recomiendo 100%
RESPUESTA: positivo

EJEMPLO: Me ha encantado lo fácil que es de usar, con las instrucciones claras y entre 45 minutos y 60 minutos te deja la piel como el tercio pelo. En unos meses repetire para tener los pies perfectos como las manos, que además parece la piel de los bebes.
RESPUESTA: positivo

EJEMPLO: A mí no me las ha dejado muy limpias...o no se usarlo bien o no es tan efectivo como dicen.
RESPUESTA: neutro

EJEMPLO: Tuve uno de la marca Kong y lo rompió en dos días, este es mas “duro” y resistente y vuela un poco más. Encantado con la compra
RESPUESTA: positivo

EJEMPLO: Estaria bien que fuese mas largo el hueco pars que no se quede tsn colgado el pints labios. Cumple su funcion si no tienes mucho dinero.
RESPUESTA: neutro

EJEMPLO: Llegó a casa y nada más bajar a dejarlo en el coche se había pinchado la rueda y lo probamos, es muy resistente y fácil de usar, con el pie se puede hacer fuerza y no se dobla, está como nuevo, va genial, lo recomiendo!
RESPUESTA:


MODEL OUTPUT

 ltimo es el tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos un


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

EJEMPLO: Cargador compatible con iPhone , pero se calienta
RESPUESTA: neutro

EJEMPLO: Ya había probado varios aparatos de este tipo y este supera todos los que ya he tenido . Es muy cómodo que sea recargable y no de pilas como la mayoría. Pero además el mango giratorio es una comodidad.
RESPUESTA: positivo

EJEMPLO: Cuando la adquirí, me gusto la idea de que también protegiera los márgenes de la pantalla sin cambiar el color del iPhone, pero con un golpe, adiós a la pantalla protectora. Mi sorpresa llegó al ponerle la que venia de recambio, a los pocos días, sin darle ningún golpe se me rajó entera de una esquina a otra por lo que me decepcionó bastante. Volví a comprar las típicas transparentes que encuentras en cualquier lado y con esa sigo a día de hoy aunque los bordes están un poco desgastados. ¿La recomendaría? No.
RESPUESTA: neutro

EJEMPLO: Funciona bien pero se nota que la calidad no es la de la original.
RESPUESTA: neutro

EJEMPLO: No existe una App que la haga funcionar. Solo funciona con el mando y tienes que estar bajo la bombilla para que reaccione. Luminosidad bastante baja.
RESPUESTA: negativo

EJEMPLO: El cargador tiene muy buena presencia, con una funda de goma de protección (de lo que ya podía tomar nota Apple) y está funcionando muy bien, tanto como el original.
RESPUESTA:


MODEL OUTPUT

 El cargador has very good presencia, con a funda de protección (de lo que ya puedan tomar nota Apple) y is working very well, both as el original.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

EJEMPLO: Son bonitos pero endebles y muy pequeños no corresponde a la foto Y el enganche estaba roto no se podían cerrar.
RESPUESTA: negativo

EJEMPLO: Es un disfraz que solo entra la parte de arriba del traje, viene con una máscara d látex gruesa que viene toda doblada y deforme. Pero eso no es lo peor, lo peor es que el traje cuesta 45€ y deberían de darte 45€ por ponértelo, por que es un espanto para el precio que tiene, una tela pésima, como un traje de carnaval del bazar oriental de 6€. Y lo de la talla única... uña persona que tenga una complexión algo fuerte, no le estaría bien. De verdad, es un traje que no vale en absoluto el dinero que cuesta. A si es que nada más verlo, se fue de vuelta.
RESPUESTA: negativo

EJEMPLO: La calidad no es muy buena. A la primera puesta le han salido un montón de bolas y me ha dejado el colchón lleno de pelusas como se puede ver en la foto adjunta. Además, los laterales no viene con costura. No lo recomiendo.
RESPUESTA: negativo

EJEMPLO: Esta buen, queda bien en el ordenador lo deja muy protegido pero la calidad del plástico se ve que no es muy buena y que en sí no parece madera de verdad ni anda cerca de parecerlo. También tengo que decir que la carcasa que me vino es diferente a la de la foto esta es más clarita.
RESPUESTA: neutro

EJEMPLO: Llegó a tiempo y perfectamente embalado. Excelente móvil lo poco que lo he usado me ha resultado super rápido, fotos de excelente calidad, batería de larga durabilidad, buenos acabados, sonido excelente, fácil de usar y una pantalla con full color. Ha sido una buena compra.
RESPUESTA: positivo

EJEMPLO: Instalarla cuesta un poco, compre los tensores 2 en principio y finalmente 4 porque no quedaba lo suficientemente tensa y en la zona central estaba muy caída , los laterales finalmente quedaban casi a nivel a la misma altura que los soportes , pero la zona central quedaba baja, decidí tensar un poco más y el resultado es el que se aprecia en las fotos , en la parte del refuerzo y la costura finamente rompió, las fotos son después de aflojarlo ligeramente para evitar que terminase de romper el resultado es pésimo ya que no se puede andar bajo la lona, con los soportes colocados a 2,35 m de altura. Parecía que iba a tener buen resultado pero no.
RESPUESTA:


MODEL OUTPUT

 Qué tensores 2 en principio y finalmente 4 porque no quedaba suficientemente tensa y en la zona central estaba muy cada , los laterales finalmente quedaban casi


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

EJEMPLO: Era un regalo para unos amigos. Al parecer se ajusta perfectamente a lo que necesitaban
RESPUESTA: neutro

EJEMPLO: Todo perfecto,lo unica malo es que el transportista forzo el DVD para entrarlo en el buzon y no pico el timbre estando yo en casa.
RESPUESTA: positivo

EJEMPLO: Por lo que cuesta, no está mal, recomendable su compra, como producto asequible.
RESPUESTA: neutro

EJEMPLO: Me equivoqué al comprar este soldador. No me sirvió para soldar una pequeñita pieza de hierro. El soldador de estaño sirve para soldar circuitos impresos con filamentos de cobre muy delgados.
RESPUESTA: negativo

EJEMPLO: En poco tiempo el asa que sube y baja ya no funciona correctamente. Estoy decepcionada, ya que era para utilizar todas las semanas.
RESPUESTA: neutro

EJEMPLO: Era para un regalo y al niño le encanto Vino en su pack sin estrenar,con lengueta que demostraba que no se habia usado la parte electronica
RESPUESTA:


MODEL OUTPUT

 el regalo y al nio le encanto Vino en su pack sin estrenar,con lengueta que demostran que no saben el encargado el eje


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

EJEMPLO: La peor cámara que he tenido en mis manos. Dos veces la he tenido que reemplazar al primer día de uso. Al final con la mitad de accesorios comprados la he tenido que devolver y no comprarla más. La cámara se queda congelada. Se cargaba la batería cuando ella quería y se descargaba sola sin usarla. Problemas de actualización, vamos si quieres tirar el dinero cómprate está cámara. Una gran decepción. Esperaba que está cámara funcionara bien pero ha sido una pesadilla. Amazon me dijo que la iba a quitar de la venta por que había muchísimas devoluciones de esta cámara
RESPUESTA: negativo

EJEMPLO: No puedo opinar sobre cómo va el producto apenas me acaba de llegar . Pero opino sobre la rapidez del envío. Me ha llegado antes de Lo previsto. Gracias
RESPUESTA: neutro

EJEMPLO: El cristal se adhiere por adhesivo, no por estática. La primera vez que se me cayo, se movio. La segunda se desprendió y quedó inutilizable sin llegar a romperse. Defraudado.
RESPUESTA: negativo

EJEMPLO: Mejor de lo que esperaba, tiene buena capacidad y queda perfecto. Es más grande de lo que esperaba. Por fin el vidrio está ordenado.
RESPUESTA: positivo

EJEMPLO: Me encanto. Ya los he comprado varias veces.
RESPUESTA: positivo

EJEMPLO: Todavía no me ha llegado, debería haber llegado el viernes... Espero que llegue pronto y no se haya perdido por el camino
RESPUESTA:


MODEL OUTPUT

 Todava no me ha llegado, debera haber llegado el viernes... Sor que llegue pronto y no se haya perdido por el camino


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

EJEMPLO: No funciona la carga, aunque si el audio
RESPUESTA: negativo

EJEMPLO: buen articulo, viene muy bien y se pone con gran facilidad mirando algun tutorial en youtube, y vienen 2 para tener de repuesto
RESPUESTA: positivo

EJEMPLO: Se ve que la calidad es buena dentro de la media, aunque lo que no me gustó en relación a otros como el Ol'Vita, es que no guarda mucho de la parte de aceite esencial que le da el matiz "especiado". Para algunos usos quizá sea mejor no tener un sabor tan fuerte, pero para temas de salud preferiría tener todo el espectro natural.
RESPUESTA: neutro

EJEMPLO: La facil instalacion y la calidad del mismo
RESPUESTA: positivo

EJEMPLO: Todo perfecto,lo unica malo es que el transportista forzo el DVD para entrarlo en el buzon y no pico el timbre estando yo en casa.
RESPUESTA: positivo

EJEMPLO: El software que trae es penoso, la calidad del video y del audio son bastante deficientes si comparas con otras marcas.
RESPUESTA:


MODEL OUTPUT

 El software que trae es penoso, la calidad de video y la audio son bastante deficientes si comparas con otros marcas.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

EJEMPLO: Una de las gomas se ha estropeado muy pronto y uno de los botones también. Según mi experiencia, no me ha durado ni 2 meses. No compensa, se rompe con facilidad.
RESPUESTA: negativo

EJEMPLO: És un aparato que calidad precio no se puede pedir nada más, no tiene sorpresa,és un aparato sencillo
RESPUESTA: neutro

EJEMPLO: La cámara me llegó en perfecto estado, con todos los complementos, pero la puse las pilas la encendí y parecía ir todo bien, la apagué, y ya no volvió a encender. La voy a devolver y ya pedí otra nueva. Espero q esta última funcione bien...
RESPUESTA: negativo

EJEMPLO: La funda no esta mal, pero en la parte trasera vienen 4 apoyos blancos, uno de ellos venia muy mal pegado y al segundo día lo perdí.Me esperaba mas por su precio.
RESPUESTA: neutro

EJEMPLO: Es una maravilla nos ha llegado super rapido y mis hijos estan encantados construyendo toda clase de cosas,me parece un juego muy didactico y que les ayuda a pensar y desarrollar su creatividad, en mi caso buscaba algo asi y he acertado Los materiales son muy buenos
RESPUESTA: positivo

EJEMPLO: Con 2 semanas de uso el botón de apagado y encendido se ha desprendido de la funda impidiendo así su utilización.
RESPUESTA:


MODEL OUTPUT

 No qué es el botón de apagado y encendido ha luego del fondo impidiendo a su usación.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

EJEMPLO: Su estabilidad es muy buena, al igual que su uso. Pesa poco y ofrece mucha seguridad. Ideal para llegar a cualquier sitio normal.
RESPUESTA: positivo

EJEMPLO: Todo correcto, Muy recomendable. Buena opción para tener cables de reserva. Envio rapidisimo! Excelente relación calidad/precio. Recomendable para la empresa y en casa.
RESPUESTA: positivo

EJEMPLO: Es bastante rígido, aunque le falta peso para una pegada dura.Muy buen material.
RESPUESTA: neutro

EJEMPLO: Muy básico. Poco recomendable hay opciones mejores.
RESPUESTA: negativo

EJEMPLO: Resistente y con una batería muy duradera Ideal para trabajar en talleres. Un teléfono mediano de características técnicas a un precio muy bueno
RESPUESTA: positivo

EJEMPLO: Maleta flexible ideal para gente joven. Con cuatro ruedas, no pesa nada y mucha capacidad. Super recomendable
RESPUESTA:


MODEL OUTPUT

 positive


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

EJEMPLO: La compré porque tenía la original que me quedaba grande. Ésta me queda perfecta y me encanta el color. Llevo con ella ya tiempo y sigue como el primer día.
RESPUESTA: positivo

EJEMPLO: Apenas 4 meses y ya no carga. Mucho peor que la batería original
RESPUESTA: negativo

EJEMPLO: En general me a gustado aunque se equivocaron de color, lo encargué negro y me vino con estampado gris.
RESPUESTA: neutro

EJEMPLO: Funciona bien pero se nota que la calidad no es la de la original.
RESPUESTA: neutro

EJEMPLO: El difusor no es fino suelta grumos, no es transparente, el faro pierde transparencia y encima toma un color azulado no lo recomiendo usarlo para faros a no ser q seas un chapuzas
RESPUESTA: negativo

EJEMPLO: Es la más parecida a la original. Me gusta mucho y de hecho la volví a comprar en varios colores más
RESPUESTA:


MODEL OUTPUT

 el más parecido a la original. Me gusta mucho y de hecho la volv a comprar en varios colores más


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

EJEMPLO: Es un poco endeble sobretodo en los botones
RESPUESTA: neutro

EJEMPLO: No pesa, no abulta, no se mueve. Me parece perfecto. Para una micro cuatro tercios, es perfecto. Si lo recomiendo.
RESPUESTA: positivo

EJEMPLO: El envío muy rápido, el mismo día del lanzamiento del libro. La lástima es que me lo han mandado algo deteriorado, en la parte superior hay una zona que está como rasgada. Era para un regalo.
RESPUESTA: neutro

EJEMPLO: Lo compre pensando en conectar para transmisión de datos y solo sirve para cargar la batería. Para esto último es práctico. Pero si lo quieres para otra cosa no vale.
RESPUESTA: neutro

EJEMPLO: a mi parecer muy incómodo para jugar
RESPUESTA: neutro

EJEMPLO: Perfecto, un poco largo para botella de butano, pero se puede cortar . Z z z z z z z
RESPUESTA:


MODEL OUTPUT

 perfecto, un poco largo para botella de butano, pero se puede cortar . Z z z z z z z z z


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

EJEMPLO: Cumplen satisfactoriamente con la función. Se pueden recortar y son gruesas. Buena relación calidad precio
RESPUESTA: positivo

EJEMPLO: Bien, en cuanto a que cubre perfectamente prácticamente toda la pantalla, encajando casi a la perfección en todos los agujeros, pero...quedan reflejos tipo espejo, habrá personas que esto no les suponga ninguna molestia, pero para mi es bastante molesto, una lástima porque por lo demás está muy bien, pero esto último para mi es determinante, el anterior no cubría tan bien pero no reflejaba de esta manera, siendo más cómodo para la vista.
RESPUESTA: neutro

EJEMPLO: es muy pequeña y tiene poco aluminio y se a abierto un poco aluminio es muy cómoda y cabe bien la comida
RESPUESTA: neutro

EJEMPLO: De lo que se ve en la foto a él plástico naranja del original...en fin, más que oro parece q ya amarilleo de tener tiempo
RESPUESTA: negativo

EJEMPLO: Superadas mis espectativas! Muy estables para las tazas.
RESPUESTA: positivo

EJEMPLO: Cumple su cometido, pero la superficie de la cubeta es muy delicada y se raya con muchísima facilidad, simplemente usando los tenedores que incluye. En dos usos está muy estropeada
RESPUESTA:


MODEL OUTPUT

 Cumple su cometido, pero la superficie de la cubeta es muy delicada y se raya con muchsima facilidad, simplemente usando los tenedores que incluye.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

EJEMPLO: cumple con lo estipulado
RESPUESTA: neutro

EJEMPLO: Mejor de lo que esperaba, tiene buena capacidad y queda perfecto. Es más grande de lo que esperaba. Por fin el vidrio está ordenado.
RESPUESTA: positivo

EJEMPLO: Después de unos meses de uso cumple su función. Materiales y acabados buenos, lo que no me gusta es que la ventana es muy oscura y cuesta ver la hora
RESPUESTA: neutro

EJEMPLO: Cumplieron fecha de entrega. Precio correcto con el producto.
RESPUESTA: positivo

EJEMPLO: la tela no es la que esperaba
RESPUESTA: neutro

EJEMPLO: Lo que se esperaba, cumple su fucnion
RESPUESTA:


MODEL OUTPUT

 positive


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

EJEMPLO: No me ha gustado nada. Mucho calor dentro, resiste mal el viento, aunque no sea fuerte, los enganches se sueltan de las piquetas con facilidad. No la recomiendo.
RESPUESTA: negativo

EJEMPLO: Llego en el tiempo previsto
RESPUESTA: neutro

EJEMPLO: Es pequeño, silencioso y no pesa nada. Lo uso para calentar una habitación de tamaño medio y a los 10 minutos (a máxima potencia) tengo que apagarlo porque hace calor. Genial.
RESPUESTA: positivo

EJEMPLO: Tuve uno de la marca Kong y lo rompió en dos días, este es mas “duro” y resistente y vuela un poco más. Encantado con la compra
RESPUESTA: positivo

EJEMPLO: Envío rápido pero la bolsa viene sin caja ( en otras tiendas online viene mejor empaquetado) y por consecuencia la bolsa tenía varios puntos con agujeros... La comida está en buen estado pero ya no te da la misma confianza. Fecha de caducidad correcta.
RESPUESTA: neutro

EJEMPLO: Muy descontento con el envío. El paquete a llegado sin embalaje dentro de otra caja. A venido tal cual con la caja original y sin precinto de primera apertura. Si falta alguna pieza solicitaré la devolución.
RESPUESTA:


MODEL OUTPUT

 Por qué es aceptado en el envo. El paquete a llegado sin embalaje dentro de otra caja. Avenido tal cual con


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

EJEMPLO: Para mí es uno de los mejores. Lo compré por que me hacía falta para ¡ya! . Lo peor, el precio pues lo compro más barato en otros sitios.
RESPUESTA: positivo

EJEMPLO: Era un regalo para unos amigos. Al parecer se ajusta perfectamente a lo que necesitaban
RESPUESTA: neutro

EJEMPLO: Todavía no he tenido tiempo de probarlo, a tener en cuenta que no lleva pilas, hay que comprarlas , son de las pequeñas no de las de boton sino de las otras.
RESPUESTA: neutro

EJEMPLO: Con un bebé de dos meses la verdad es que me ayuda mucho cuando le dejo en la hamaca con el sonido de las olas y las bolitas que cuelgan , parece que no pero realmente se entretiene hasta que llega a dormirse
RESPUESTA: positivo

EJEMPLO: la tela no es la que esperaba
RESPUESTA: neutro

EJEMPLO: Unos de los mejores champu que e provado
RESPUESTA:


MODEL OUTPUT

 ayuda en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

EJEMPLO: Llego el producto en muy mal estado,como si ya se hubiera usado.
RESPUESTA: negativo

EJEMPLO: Un poquito escaso pero funciona , hay que seguir bien todos los pasos
RESPUESTA: positivo

EJEMPLO: Desde que lo monte lo he usado varias veces y de momento todo bien, El montaje es muy facil. Buen producto.
RESPUESTA: positivo

EJEMPLO: Me he quedado un tanto decepcionado con el producto. Baja estabilidad, materiales poco resistentes, sensación de poco recorrido hacen que lo pagado sea lo justo por lo recibido. Vistas las críticas de anteriores compradores me esperaba más. Aún me estoy pensando si estrenarlo o si directamente proceder a su devolución.
RESPUESTA: neutro

EJEMPLO: El marco cubre más del marco del reloj. O sea invade la pantalla. Siempre quedan algunas burbujas, lo he instalado 3 veces. Por último, y lo peor de todo, horrible la sensación táctil. Casi no obedece. Estoy a punto de quitarlo y comprar otro. Y eso que compre dos de este modelo.
RESPUESTA: negativo

EJEMPLO: Lindo producto pero la segunda vez que l use se le salió una goma y no lo pude usar más
RESPUESTA:


MODEL OUTPUT

 lindo producto, pero la segunda vez que el uso se le salió una goma y no lo puede usar más


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

EJEMPLO: Nunca llegué a recibirlo!!!!
RESPUESTA: negativo

EJEMPLO: Para llevarlo en la autocaravana para mi yorsay
RESPUESTA: positivo

EJEMPLO: Llegó en su tiempo. Por el precio no está mal pero me esperaba otra cosa.
RESPUESTA: negativo

EJEMPLO: Malisimas. Las he tenido que tirar. El cierre se deforma ademas han venido super sucias.
RESPUESTA: negativo

EJEMPLO: Apenas 4 meses y ya no carga. Mucho peor que la batería original
RESPUESTA: negativo

EJEMPLO: Nunca me llegó la sudadera
RESPUESTA:


MODEL OUTPUT

 negative


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

EJEMPLO: Cumple su función, aunque la calidad de los materiales deja algo que desear. Se ve que es plástico del barato y da sensación de fragilidad. Veremos como aguanta el paso del tiempo y los usos.
RESPUESTA: neutro

EJEMPLO: Un poquito escaso pero funciona , hay que seguir bien todos los pasos
RESPUESTA: positivo

EJEMPLO: He solicitado la devolución del producto, el producto no coincide con el ofertado, han mandado un kit con cuadro utensilios de muy mala calidad.
RESPUESTA: negativo

EJEMPLO: El plastico chirriaba, se abrian y cerraban con ruido. Una gran decepcion, esperaba mas de oakley. una gran marca, pero este producto un desastre.
RESPUESTA: negativo

EJEMPLO: Es bastante rígido, aunque le falta peso para una pegada dura.Muy buen material.
RESPUESTA: neutro

EJEMPLO: Es un poco frágil. Aunque es un buen producto el acabado de los materiales es un poco frágil en el segundo uso la rueda que regula la fuerza de la palanca salio disparada dándose de si el plástico de la palanca done se sujeta. Dicho eso el sistema de riego funciona muy bien y sus diferentes chorros hacen que el uso de la manguera para diferentes opciones muy fácil
RESPUESTA:


MODEL OUTPUT

 el sistema de riego funciona muy bien y sus diferentes chorros hacen que el uso de manguera para diferentes opciones muy fácil


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

EJEMPLO: Es tal y como aparece en las fotos
RESPUESTA: positivo

EJEMPLO: Llegó a tiempo y perfectamente embalado. Excelente móvil lo poco que lo he usado me ha resultado super rápido, fotos de excelente calidad, batería de larga durabilidad, buenos acabados, sonido excelente, fácil de usar y una pantalla con full color. Ha sido una buena compra.
RESPUESTA: positivo

EJEMPLO: Es justo lo que buscaba ni más ni menos y además es como la que tenía de hace ya años.
RESPUESTA: positivo

EJEMPLO: La dirección donde quieres enfocar la cámara, hay que moverla con la mano. Es tan endeble que con 6 meses que tiene la mía, ya se ha roto, y según como la enfoque, la imagen no se ve. Dinero tirado a la basura
RESPUESTA: negativo

EJEMPLO: Me gusta porque da un tono de color a la salita tipo cine ya que puede poner los tonos mas suaves o mas fuertes,son algo mas de 75cm y los mios rodean la tele como se ve en la foto,lo unico que veo un poco flojo es la cinta de pegar que no se lo que aguantara
RESPUESTA: positivo

EJEMPLO: Todo tal y como en la foto, mi hijo de 5 años está encantado y lo usa cuando hace skateboard.
RESPUESTA:


MODEL OUTPUT

 te te te te te te te te te te te te te te te te te te te te te


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

EJEMPLO: El botón no funciona, con lo cual si quieres pararlo, necesitas quitarle las pilas. No lo recomiendo.
RESPUESTA: negativo

EJEMPLO: Buen producto y entrega rápida, esperaba que lucieran más blancas-azúl... Aunque sí son más blancas que las H7 de la marca
RESPUESTA: positivo

EJEMPLO: Después de unos meses de uso cumple su función. Materiales y acabados buenos, lo que no me gusta es que la ventana es muy oscura y cuesta ver la hora
RESPUESTA: neutro

EJEMPLO: Es facil de usar pero muy sensible y con los baches se desconecta
RESPUESTA: neutro

EJEMPLO: Contentísimos,el primer día trago agua hasta equilibrarse y después perfectos.... Mi niña tiene 2 años..
RESPUESTA: positivo

EJEMPLO: No funciona bien,marca una temperatura y cuando le ponemos el de toda la vida marca otra totalmente distinta.Mala compra,no te puedes fiar
RESPUESTA:


MODEL OUTPUT

 obviamente


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

EJEMPLO: Me encanto. Ya los he comprado varias veces.
RESPUESTA: positivo

EJEMPLO: No entiendo como funciona.donde se puede encontrar instrucciones fe funcionamiento en castellano?
RESPUESTA: negativo

EJEMPLO: No funciona. No he conseguido hacer que funcione. Lo he probado en varios mecheros de coches diferentes y no se llega a encender en ninguno de ellos.
RESPUESTA: negativo

EJEMPLO: El botón no funciona, con lo cual si quieres pararlo, necesitas quitarle las pilas. No lo recomiendo.
RESPUESTA: negativo

EJEMPLO: El marco cubre más del marco del reloj. O sea invade la pantalla. Siempre quedan algunas burbujas, lo he instalado 3 veces. Por último, y lo peor de todo, horrible la sensación táctil. Casi no obedece. Estoy a punto de quitarlo y comprar otro. Y eso que compre dos de este modelo.
RESPUESTA: negativo

EJEMPLO: He intentado con diferentes ordenadores y pantallas y no funciona. No reconoce los dispositivos. No lo recomiendo para nada.
RESPUESTA:


MODEL OUTPUT

 no recomendo para nada


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

EJEMPLO: La funda para el sofá es muy fina. El material no transmite sensación de que vaya a durar en el tiempo, pero por el precio que tiene no podría pedirse algo mejor, o si?. Compré una funda de marca para la barbacoa y comprado con esta es de risa. En principio hace de repelente de agua, pero no lo he probado con lluvia torrencial, lo he probado tirándole un poco de agua en una zona con un vaso. Habría que volver a valorar esta funda con el paso del tiempo para ver si merece la pena o no su compra.
RESPUESTA: neutro

EJEMPLO: El armario está bastante bien. Pero el tema de mensajeria deja mucho que desear, aunque llego relativamente rapido (algo menos de 2 semanas), vino con varios golpes los cuales dificultan el montaje e interrumpen el cierre y apertura de puertas
RESPUESTA: neutro

EJEMPLO: Estaba buscando unos cuchillos de carne que me durasen para muchísimo tiempo sin importarme gastar un poco más. A veces es mejor no comprar barato. Estos cuchillos van a sustituir a unos antiguos que tenía que aunque hacían bien su función se me fueron estropeando porque el mango era de plástico y de tanto lavado se fue estropeando esta parte. A primera vista ya se aprecia que son de muy buena calidad por los materiales con los que están fabricados. A destacar también el envoltorio ya que son perfectos para regalar. Muy buena compra.
RESPUESTA: positivo

EJEMPLO: Su estabilidad es muy buena, al igual que su uso. Pesa poco y ofrece mucha seguridad. Ideal para llegar a cualquier sitio normal.
RESPUESTA: positivo

EJEMPLO: Le había dado cinco estrellas y una opinión muy positiva, el aparato funcionó bien mientras funcionó, el problema es que funcionó poco tiempo. Hoy, apenas tres meses después de adquirirlo, he ido a encenderlo y en lugar de arrancar se ha quedado parado. Unos segundos más tarde ha soltado un chispazo y ahí se ha quedado. No se le ha dado ningún golpe, ni se ha usado para nada distinto a su finalidad, así que la única explicación lógica es que viniera defectuoso de fábrica. Amazon me va a reembolsar el importe en garantía en cuanto lo devuelva, así que por ese lado no tengo queja.
RESPUESTA: negativo

EJEMPLO: Leyendo las opiniones de otros compradores no sabia que esperar. Las habia buenas y malas. Yo me quede a medias. Pense que se quedaria mas cerrado, y aunque aun no lo he probado con frutos secos (almendras...) que era principalmente para lo que lo queria, el sistema de cierre que tiene no me da ninguna seguridad. Para cosas de mayor tamaño si lo veo adecuado para transportarlas (manzana, platano...) Si en lugar de un unico velcro, la tapa tuviese dos velcros si lo veria seguro (posiblemente me haga yo un apaño casero)
RESPUESTA:


MODEL OUTPUT

 Pense que se quedaria mas cerrado, y aunque aun no lo probado con frutos secos (almendras...) que era principalmente para lo que lo queria, el sistema de cierre


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

EJEMPLO: Me da vergüenza escribir esta opinión, puesto que estoy esperando este artículo desde el mes de Agosto y estamos en Octubre. siempre Amazon me ha atendido bien, pero no tengo por menos de indicar que een este pedido, que aun no HE RECIBIDO ha fallado, bien sea Amazón ço el Proveedor, pero en cualquier caso yo lo HE COMPRADO A AMAZON.
RESPUESTA: negativo

EJEMPLO: Bueno en la oferta se incluían 5 piezas para soporte que no llegaron con el paquete
RESPUESTA: neutro

EJEMPLO: El cristal se adhiere por adhesivo, no por estática. La primera vez que se me cayo, se movio. La segunda se desprendió y quedó inutilizable sin llegar a romperse. Defraudado.
RESPUESTA: negativo

EJEMPLO: Buen producto y entrega rápida, esperaba que lucieran más blancas-azúl... Aunque sí son más blancas que las H7 de la marca
RESPUESTA: positivo

EJEMPLO: Despues de 2 dias esperando la entrega ,tuve que ir a buscarlo a la central de DHL de tarragona ,pese a haber pagado gastos de envio (10 euros),y encima me encuentro con un paquete todo golpeado en el que faltan partes del embalaje de carton y el resto esta sujeto por multitud de tiras de celo gigantesco pata que no se desmonte el resto de la caja ,nefasto he hecho varias reclamaciones a la empresa de transporte y encima me encuentro el paquete en unas condiciones horrorosas con multiples golpes,espero que al menos funcione.Nada recomendable,ni el vendedor ni amazon ni por supuesto el transportista DHL.
RESPUESTA: negativo

EJEMPLO: Nunca se entregó el paquete, quise pedir un reembolso per nadie se hace cargo. Es la segunda vez que me pasa con Amazon
RESPUESTA:


MODEL OUTPUT

 el reembolo es una reembola para nadie se hace cargo. Es la segunda vez que me cayo, se movio. The segunda se desprendió y que


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

EJEMPLO: Anatómicamente no me sirve, lo encuentro incómodo. Demasiado grande.
RESPUESTA: negativo

EJEMPLO: És un aparato que calidad precio no se puede pedir nada más, no tiene sorpresa,és un aparato sencillo
RESPUESTA: neutro

EJEMPLO: A pesar de estar tomándome este producto durante dos meses y medio religiosamente cada día ,no sirve absolutamente de nada, porque sigo blanca como la pared. Admiro a las personas que lo han tomado y les ha funcionado pero desde luego a mí, no ha sido el caso. Decían que empezaba a funcionar desde el segundo mes pero pienso que aunque lo tomase 12 meses seguiría igual.
RESPUESTA: negativo

EJEMPLO: Muy fino, abriga poco
RESPUESTA: neutro

EJEMPLO: Parece que protege bien, pero lo he devuelto porque no se apoya de manera estable. Queda demasiado vertical y es fácil que se caiga.
RESPUESTA: negativo

EJEMPLO: Demasiado aparatosa.
RESPUESTA:


MODEL OUTPUT

 negative


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

EJEMPLO: Esta bien, es fino, queda mas grande de lo que se indica en el tallaje. El gorro también es grande.
RESPUESTA: neutro

EJEMPLO: No es el articulo de calidad que parece ademas se equivocaron de talla y tuve que devolverlas
RESPUESTA: negativo

EJEMPLO: Resistente y con una batería muy duradera Ideal para trabajar en talleres. Un teléfono mediano de características técnicas a un precio muy bueno
RESPUESTA: positivo

EJEMPLO: Muy pequeña. Compra como mínimo dos tallas más de las que necesites.
RESPUESTA: neutro

EJEMPLO: Era un regalo y la verdad que esta dando la talla que deseaba!! Facil de utilización y muy creativo.
RESPUESTA: positivo

EJEMPLO: El tallaje no se corresponde pero son muy elásticos y encima me han enviado uno de ellos con una talla más pequeña.
RESPUESTA:


MODEL OUTPUT

 positive


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

EJEMPLO: Me parece una Porqueria pero la niña lo pidió a los reyes y ella está feliz
RESPUESTA: neutro

EJEMPLO: El arte del juego es precioso. La historia merece ser vista al menos. La edición coleccionista, a ese precio, y con este juego, merece salir de camino a casa de cualquier jugon.
RESPUESTA: positivo

EJEMPLO: Muy pesado, difícil de desmontar, el color se desgasta, la cesta de atrás siempre con mucho polvo, he de limpiarla todos los días
RESPUESTA: neutro

EJEMPLO: El envío muy rápido, el mismo día del lanzamiento del libro. La lástima es que me lo han mandado algo deteriorado, en la parte superior hay una zona que está como rasgada. Era para un regalo.
RESPUESTA: neutro

EJEMPLO: Hola buenas, me llego el reloj el dia 11 y no funciona bien, le tocas para ver la hora o ponerlo en marcha y va cuando quiere, le tienes que dar muchisimas veces. Lo que deseo saber es como hacer la devolución y que me enviarán otro en perfecto estado. Gracias Atentamente Paqui
RESPUESTA: negativo

EJEMPLO: Cuando escuchas música conectando tus auriculares al puerto lighting de la funda, estos se desconectan con facilidad. Por lo demás todo bien, es un palo ir cargándolo todos los días y además pesa demasiado, pero te salva bastante la vida cuando te quedas sin batería al final del día.
RESPUESTA:


MODEL OUTPUT




PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

EJEMPLO: Quedan perfectas y para mi gusto sientan mejor que el modelo OS que también tengo y resulta caluroso frente a este.
RESPUESTA: positivo

EJEMPLO: Cumple con su propósito perfectamente , dispongo de un portátil bastante fino que no dispone de suficientes puertos USB ni de HDMI , con este hub solucionado , va bien rápido tiene buenos materiales y es pequeño. La verdad que muy contento con el producto
RESPUESTA: positivo

EJEMPLO: El producto y su propia caja en el que viene empaquetado los botes es bueno, pero la caja del envío del trasporte es horrible. La caja del transporte llego completamente rota. De tal manera que los botes me los entregaron por un lado y la caja por otro. El transporte era de SEUR, muy mal.
RESPUESTA: neutro

EJEMPLO: Tenía un disco duro de 80 GB procedente de un portátil que tiré y me daba pena tirarlo. Compré esta carcasa, bien barata, y ahora tendo un USB de 80 GB. Como digo: Perfecto y barato.
RESPUESTA: positivo

EJEMPLO: Me ha llegado bien pero al abrirlo observo que falta el adaptador tipo C que indica el anuncio. Confío que me lo envien
RESPUESTA: neutro

EJEMPLO: Necesitaba un ordenador portátil y aunque yo no tengo mucha idea de portátiles, me leí todas las opiniones que se decían de este modelo Lenovo, ya que está marca no la conocía. El ordenador va bien aunque para mi gusto un poco lento.
RESPUESTA:


MODEL OUTPUT

 el ordenador es el objeto portátil y el objeto que tuvo es el objeto portátil y el objeto que tuvo el objet


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

EJEMPLO: Aparentemente tiene muy buena calidad y un gran precio para venir tres protectores. Ningún problema a nivel táctil muy transparente, del tamaño exacto para la pantalla. Sin embargo, el primero no fui capaz de que se adhiriera a la pantalla (quedaba despegado la mitad); pensé que era mi inexperiencia. El segundo quedó ya mejor, pero aún y todo, no adherido del todo. Y ahí ya no es por exceso de confianza. Gracias a que uso una funda tipo libro la pantalla no queda expuesta y he reservado el tercer protector para más adelante.
RESPUESTA: neutro

EJEMPLO: En realidad no es muy ligero, pero tampoco es algo que incomode por el grosor que aporta al móvil.
RESPUESTA: neutro

EJEMPLO: El protector de pantalla llegó un poco roto.
RESPUESTA: neutro

EJEMPLO: Preparo comida a primera hora de la mañana para llevármela a la oficina y con cremas y sopas me encuentro que, aún pasadas 6h, la comida está muy caliente y debo andar con ojo para no quemarme la boca.
RESPUESTA: positivo

EJEMPLO: Lo compré para arreglar el cristal de mi móvil. Pues bien, cuando lo puse (lo seque con la máquina de secado UV la recomendada). Cuando encendí el móvil, el pegamento había dejado unas manchas horrorosas donde se veía el pegamento y al poco rato me dejo de funcionar la pantalla LCD. Chicos no lo compréis si no queréis joder vuestro teléfono móvil. Horrible el producto.
RESPUESTA: negativo

EJEMPLO: Compré el protector para el móvil de mi hija... en menos de 2 meses tiene ya la pantalla rota, sin golpes bruscos ni caidas de móvil, eso si el protector intacto. No parece que proteja mucho
RESPUESTA:


MODEL OUTPUT

 en menos de 2 meses tiene ya la pantalla rota, sin golpes bruscos ni caidas de móvil, eso si el protector intacto.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

EJEMPLO: Funciona bien, pero a veces apretando se suelta.
RESPUESTA: neutro

EJEMPLO: No me gusta nada de nada....pero es lo que quiere mi hija. Lo espera con ilusión....así que....bueno. Me parece un juguete muy caro para lo que es.
RESPUESTA: negativo

EJEMPLO: El producto viene perfecto pero no como en la foto que aparece, y a mi me hubiese gustado elegir El color que me gustase
RESPUESTA: neutro

EJEMPLO: Su estabilidad es muy buena, al igual que su uso. Pesa poco y ofrece mucha seguridad. Ideal para llegar a cualquier sitio normal.
RESPUESTA: positivo

EJEMPLO: Regular, no han cumplido mis espectativas... cuando te las pones mojado se resbala el pie hacia todos sitios.
RESPUESTA: neutro

EJEMPLO: Hace su función, pero para mi gusto huele a azufre, osea, regular...
RESPUESTA:


MODEL OUTPUT

 eso hace su funciona, pero para mi gusto es azufre, osea, regular...


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

EJEMPLO: No me gusta nada de nada....pero es lo que quiere mi hija. Lo espera con ilusión....así que....bueno. Me parece un juguete muy caro para lo que es.
RESPUESTA: negativo

EJEMPLO: No leí comentarios y mi sorpresa al intentar encenderlo es que no encendia, al leer comentarios no era el único, así que lo devolví inmediatamente y no se me ocurrirá volver a comprarlo por aqui
RESPUESTA: negativo

EJEMPLO: En su línea, la verdad. Acción hasta el final, mujeres apasionantes, hombres enamorados y mucha acción. La verdad es que engancha desde el principio.
RESPUESTA: positivo

EJEMPLO: Es falso,trae una bomba que no es la de Loreal.He iniciado la devolución.
RESPUESTA: negativo

EJEMPLO: Me parece una Porqueria pero la niña lo pidió a los reyes y ella está feliz
RESPUESTA: neutro

EJEMPLO: Es una trilogia que se hace muy facil de leer. Me ha gustado, no me esperaba el final para nada
RESPUESTA:


MODEL OUTPUT

 es una trilogia que se hace muy facil de leer. Me ha gustado, no me esperaba el final para nada


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

EJEMPLO: No funciona la carga, aunque si el audio
RESPUESTA: negativo

EJEMPLO: No es compatible con iphone x, a los 2 minutos te salta el mensaje y deja de funcionar.. no lo compreis no sirve para nada.
RESPUESTA: negativo

EJEMPLO: He probado varios auriculares ya. Estos sin duda son los que mejor resultado dan en cuanto a sonido y comodidad se refiere. Totalmente recomendable.
RESPUESTA: positivo

EJEMPLO: Buen precio para la gran capacidad que tiene. No tiene ruido y es totalmente manejable.
RESPUESTA: positivo

EJEMPLO: Cuando una marca de prestigio pone un producto al mercado uno espera un mínimo de calidad, Samsung Galaxy Fit e , no lo és. Tiene varios problemas, pero el más significativo es que a la hora de deslizar las pantallas con el dedo te das cuenta que no funciona o que lo hace aveces, creo que Samsung no ha estado a la altura de lo que de ellos se espera. El único consuelo que nos queda es que estos fallos puedan ser corregidos por una actualización, y así disfrutar y no desesperarse de esta pulsera que por diseño merecería un mejor trato de su fabricante.
RESPUESTA: negativo

EJEMPLO: Los auriculares tienen un diseño atractivo, se emparejan facilmente y funcionan bien. Pero el audio es muy mejorable, tiene un sonido enlatado completamente, también puede ser porque estoy acostumbrado a los del iphone que sinceramente se escuchan muy muy bien. Pero en cuanto al audio de unos auriculares soy bastante exigente.
RESPUESTA:


MODEL OUTPUT

 auriculares


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

EJEMPLO: En realidad no es muy ligero, pero tampoco es algo que incomode por el grosor que aporta al móvil.
RESPUESTA: neutro

EJEMPLO: He probado el manómetro y no aguanta con la presión para compararla, la va perdiendo poco a poco, y no es igual que otros manómetros.
RESPUESTA: neutro

EJEMPLO: Estoy muy defraudada,ponía 2 fechas de entrega y ni una ni otra,y aún estoy esperando una respuesta de por qué no me ha llegado el producto.Si no lo hay,pues que me devuelvan el dinero.Exijo una respuesta y una solución yaaa!!!!
RESPUESTA: negativo

EJEMPLO: Pues efectivamente como ponen comentarios anteriores ....duro el rollo 30 minutos si es q llego, recambios no encuentras, una decepción total. Lo triste es q lo pidió mi niña de 4 años para Reyes y ahora q hace con eso? Pongo una estrella pq no me deja poner cero.
RESPUESTA: negativo

EJEMPLO: Es suave y como de poner
RESPUESTA: positivo

EJEMPLO: No soy capaz de ponerlo en funcionamiento. Poner hora..., y de más funciones. El móvil no pilla el reloj. Ayuda!!!!!!!!
RESPUESTA:


MODEL OUTPUT

 ayuda!!!!!!!!


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

EJEMPLO: Su estabilidad es muy buena, al igual que su uso. Pesa poco y ofrece mucha seguridad. Ideal para llegar a cualquier sitio normal.
RESPUESTA: positivo

EJEMPLO: Entretenido pero preguntas muy difíciles para los niños y los que no son tan niños
RESPUESTA: neutro

EJEMPLO: A los 3-4 dias dd haber llegado el telefono, la camara trasera dejo de funcionar. Me puse en contacto con ellos para tramitar un cambio, pero me pedian que devolviera este primero y luego ellos me mandaban otro, por lo que me quedaba sin movil, creo que lo mas conveniente es igual que viene el mensajero a traerme uno nuevo, a ma vez que se lleve el estropeado... no me podia quedar sin movil ya que solo tengo este y lo necesito. A dia de hoy todavía ando con el movil sin camara trasera... un desastre. NO LO RECOMIENDO PARA NADA!
RESPUESTA: negativo

EJEMPLO: Pues efectivamente como ponen comentarios anteriores ....duro el rollo 30 minutos si es q llego, recambios no encuentras, una decepción total. Lo triste es q lo pidió mi niña de 4 años para Reyes y ahora q hace con eso? Pongo una estrella pq no me deja poner cero.
RESPUESTA: negativo

EJEMPLO: La funda no esta mal, pero en la parte trasera vienen 4 apoyos blancos, uno de ellos venia muy mal pegado y al segundo día lo perdí.Me esperaba mas por su precio.
RESPUESTA: neutro

EJEMPLO: La compré para mi sobrino de 4 años y le encantó. La parte delantera es dura y atrás normal, por lo que si quieres guardarla se puede plegar fácilmente. Es de tamaño medio, lo normal para un niño pequeño. Para adultos no la veo.
RESPUESTA:


MODEL OUTPUT

 el compré para mi sobrino de 4 aos y le encantó. La parte delantera es dura y atrás normal, por lo que si quieres guardarla se puede plegar


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

EJEMPLO: Cómodo y muy bien la Calidad precio
RESPUESTA: positivo

EJEMPLO: No puedo opinar sobre cómo va el producto apenas me acaba de llegar . Pero opino sobre la rapidez del envío. Me ha llegado antes de Lo previsto. Gracias
RESPUESTA: neutro

EJEMPLO: Muy buena calidad. Envio rápido y correcto.
RESPUESTA: positivo

EJEMPLO: Cumple sin más, relación calidad/precio aceptable. Fácil de instalar. La verdad que hay otras opciones que me parecen mejor, pero no está mal.
RESPUESTA: neutro

EJEMPLO: Cumplen satisfactoriamente con la función. Se pueden recortar y son gruesas. Buena relación calidad precio
RESPUESTA: positivo

EJEMPLO: buena relación precio calidad,envio rápido
RESPUESTA:


MODEL OUTPUT

 positive


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

EJEMPLO: Es un buen cinturón, estoy contento con el, se le ve de buen material y funciona de manera perfecta, contento.
RESPUESTA: positivo

EJEMPLO: Por lo que cuesta, no está mal, recomendable su compra, como producto asequible.
RESPUESTA: neutro

EJEMPLO: Bien, en cuanto a que cubre perfectamente prácticamente toda la pantalla, encajando casi a la perfección en todos los agujeros, pero...quedan reflejos tipo espejo, habrá personas que esto no les suponga ninguna molestia, pero para mi es bastante molesto, una lástima porque por lo demás está muy bien, pero esto último para mi es determinante, el anterior no cubría tan bien pero no reflejaba de esta manera, siendo más cómodo para la vista.
RESPUESTA: neutro

EJEMPLO: Cumplen satisfactoriamente con la función. Se pueden recortar y son gruesas. Buena relación calidad precio
RESPUESTA: positivo

EJEMPLO: Lo compré para un regalo y será utilizado con un iPhone X. No he tenido la oportunidad de probarlo con dicho teléfono, pero puedo hablar de la excelente calidad de los materiales, es pesado, se siente firme y tiene franjas con goma tanto en la parte superior para que el teléfono no se deslice y en su parte inferior para que no se deslice sobre la superficie donde se ubica. Sólo lo he conectado para probar las luces (azules) y si colocas un dispositivo para cargar, estás parpadean muy lentamente unas 5 veces y luego se apagan definitivamente, cosa que es de agradecer si lo vas a usar en tu mesa de noche. Por ahora lo recomiendo estéticamente, luego informaré de su funcionamiento.
RESPUESTA: positivo

EJEMPLO: Lo tenemos hace varias semanas y su funcionamiento es perfecto. Compra realizada por recomendación especializada Un aparato que cubre con su función sobradamente, preciso y de fácil manejo.
RESPUESTA:


MODEL OUTPUT




PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

EJEMPLO: El botón no funciona, con lo cual si quieres pararlo, necesitas quitarle las pilas. No lo recomiendo.
RESPUESTA: negativo

EJEMPLO: Queda un poco holgada para una cama de 150, no se ajusta del todo. El blanco no es que sea muy blanco y estas sábanas de Amazon Basics tienen todas mucha electricidad estática, recomiendo lavarlas antes de ponerlas, si no, producen muchas chispas.
RESPUESTA: neutro

EJEMPLO: Se le caen los brillantes y andan por donde pase la niña. Que termina quedándose feo, solo con la manchita del pegamento donde venia el brillante que es como una lentejuela
RESPUESTA: neutro

EJEMPLO: Hola buenas, me llego el reloj el dia 11 y no funciona bien, le tocas para ver la hora o ponerlo en marcha y va cuando quiere, le tienes que dar muchisimas veces. Lo que deseo saber es como hacer la devolución y que me enviarán otro en perfecto estado. Gracias Atentamente Paqui
RESPUESTA: negativo

EJEMPLO: No sale ni una gota con las dos que no vienen numeradas. Con la del número 2 que tenía en casa si pasan los cereales, y con las otras dos que son el número 4, no hay manera. Estoy por abrirle con una cuchilla.... Dinero tirado a la basura.
RESPUESTA: negativo

EJEMPLO: Cuando leí su venta, hablan de que el disco es de 125, pues bien el Disco No lo mandan, es un fallo no decirlo ya que llama a equivocación, si llego a saber que no lo traía no lo hubiese comprado.
RESPUESTA:


MODEL OUTPUT

 Qué es el disco de 125, pues bien el disco no mandan, es una ltima ltima ltima ltima ltima ltim


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

EJEMPLO: Lo siento pero solamente por lo mal que ha resultado el envío con MRW y el tiempo que me han hecho perder para poder tener el paquete no volvería a comprarlo.
RESPUESTA: negativo

EJEMPLO: Llego en el tiempo previsto
RESPUESTA: neutro

EJEMPLO: Envío rápido pero la bolsa viene sin caja ( en otras tiendas online viene mejor empaquetado) y por consecuencia la bolsa tenía varios puntos con agujeros... La comida está en buen estado pero ya no te da la misma confianza. Fecha de caducidad correcta.
RESPUESTA: neutro

EJEMPLO: La funda para el sofá es muy fina. El material no transmite sensación de que vaya a durar en el tiempo, pero por el precio que tiene no podría pedirse algo mejor, o si?. Compré una funda de marca para la barbacoa y comprado con esta es de risa. En principio hace de repelente de agua, pero no lo he probado con lluvia torrencial, lo he probado tirándole un poco de agua en una zona con un vaso. Habría que volver a valorar esta funda con el paso del tiempo para ver si merece la pena o no su compra.
RESPUESTA: neutro

EJEMPLO: El sonido me a parecido bastante decente pero me hacen daño en las orejas después de un tiempo puestos. Los he devuelto
RESPUESTA: neutro

EJEMPLO: Vino en su tiempo pero dañado en algunas zonas. Hablé con el vendedor y me quiso dar solución, pero no podía estar sin ello más tiempo
RESPUESTA:


MODEL OUTPUT

 No qué es posible que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

EJEMPLO: Mi hija está encantada , con 6 años tiene las uñas pequeñas todavía y le quedan muy justas las calcomanías pero ella está encantada
RESPUESTA: positivo

EJEMPLO: ha salido con defecto, en llamadas salientes no se oye al interlocutor, lo cambie por otro igual y he tenido el mismo problema
RESPUESTA: negativo

EJEMPLO: No me la han enviado y me lo confirmaron 40 días más tarde y porque yo me preocupé. Mal servicio y atención
RESPUESTA: negativo

EJEMPLO: Me ha encantado lo fácil que es de usar, con las instrucciones claras y entre 45 minutos y 60 minutos te deja la piel como el tercio pelo. En unos meses repetire para tener los pies perfectos como las manos, que además parece la piel de los bebes.
RESPUESTA: positivo

EJEMPLO: Aún no lo he probado. Algo malo es que vienen las instrucciones en inglés y nada en español.
RESPUESTA: neutro

EJEMPLO: Es un timo, la descripción es falsa. No son 20 w, en la caja directamente pone ya 5 w cuando lo abres y al escucharlo por primera vez te das cuenta que es así porque suena muy muy bajo.
RESPUESTA:


MODEL OUTPUT

 No , n


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

EJEMPLO: Aparentemente tiene muy buena calidad y un gran precio para venir tres protectores. Ningún problema a nivel táctil muy transparente, del tamaño exacto para la pantalla. Sin embargo, el primero no fui capaz de que se adhiriera a la pantalla (quedaba despegado la mitad); pensé que era mi inexperiencia. El segundo quedó ya mejor, pero aún y todo, no adherido del todo. Y ahí ya no es por exceso de confianza. Gracias a que uso una funda tipo libro la pantalla no queda expuesta y he reservado el tercer protector para más adelante.
RESPUESTA: neutro

EJEMPLO: No están mal aunque son enormes, yo e cortado la parte de los aros y las puse en la parte trasera ya que sino ocupa mucho espacio.
RESPUESTA: neutro

EJEMPLO: Molde resistente y bueno. No pesa nada. Muy práctico.
RESPUESTA: positivo

EJEMPLO: Un desastre de producto. Los globos imposibles de inchar, sin instrucciones, Valvulas imposibles y que se rompen. No lo recomiendo en absoluto.
RESPUESTA: negativo

EJEMPLO: Máscaras muy sencillas, pero hacen su función, la parte de los ojos difícil de ver con ella puesta.
RESPUESTA: neutro

EJEMPLO: No me han llegado los protectores de esquinas y faltan un par de bloqueadores de puertas... supongo que sea un error. un saludo
RESPUESTA:


MODEL OUTPUT

 a salido


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

EJEMPLO: Después de unos meses de uso cumple su función. Materiales y acabados buenos, lo que no me gusta es que la ventana es muy oscura y cuesta ver la hora
RESPUESTA: neutro

EJEMPLO: Cumple con lo indicado
RESPUESTA: positivo

EJEMPLO: Todo perfecto, gran calidad a un gran precio y dificil de encontrar por llevar el destornillador en lugar del sacacorchos.
RESPUESTA: positivo

EJEMPLO: Un desastre de producto. Los globos imposibles de inchar, sin instrucciones, Valvulas imposibles y que se rompen. No lo recomiendo en absoluto.
RESPUESTA: negativo

EJEMPLO: En realidad no es muy ligero, pero tampoco es algo que incomode por el grosor que aporta al móvil.
RESPUESTA: neutro

EJEMPLO: cumple su función de apilar muchas latas y su consumo por orden de entrada, pero le falta algo al diseño porque si no se hace con cuidado, las latas se desbordan y caen, y por otro lado la zona superior debería cumplir mejor su misión de estante porque al colocar algo encima tiende a caerse por el fondo y obstaculiza el movimiento de las latas de la fila superior.
RESPUESTA:


MODEL OUTPUT

 c) c) d) d) d) d) d) d) d) d) d) d) d) d) d) d) d) d) d) d) d)


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

EJEMPLO: En poco tiempo el asa que sube y baja ya no funciona correctamente. Estoy decepcionada, ya que era para utilizar todas las semanas.
RESPUESTA: neutro

EJEMPLO: Es de papel muy delicado.Al abrirla se rompio un poco pero luego no se nota, no incluye ningun cable ni rosca para la bombilla, tienes que comprarlo aparte.
RESPUESTA: neutro

EJEMPLO: SIEMPRE LO COMPRO, PERO LO MALO ES EL PRECIO, MUY CARO Y CADA VEZ LO SUBEN MAS DE PRECIO CUANDO SON UNAS PEGATINAS. NO OBSTANTE, HACEN SU USO, PERO SOLO POR UNOS DIAS ESCASOS... AUN ASI ES UNA NOVEDAD
RESPUESTA: neutro

EJEMPLO: Después de un año de tenerlas, muy contenta. Tras varios lavados y secadoras no tiene bolitas. Muy buena calidad. Lo único que la funda de cojín es demasiado grande para mi gusto.
RESPUESTA: positivo

EJEMPLO: Llego una semana despues de lo.acordado y encima me lo quieren cobrar mada huevos,
RESPUESTA: negativo

EJEMPLO: Funciona genial. Hemos tenido suerte y hemos podido escuchar al bebé desde la semana 10. Estaba un poco indecisa a comprarlo por su alto precio en comparación a otros dispositivos, pero creo que merece la pena. (Es muy cómodo que sea sin cables y sin pilas. Además puedes grabar los latidos). Muy satisfecha con la compra.
RESPUESTA:


MODEL OUTPUT

 M


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

EJEMPLO: Un poquito escaso pero funciona , hay que seguir bien todos los pasos
RESPUESTA: positivo

EJEMPLO: Es de papel muy delicado.Al abrirla se rompio un poco pero luego no se nota, no incluye ningun cable ni rosca para la bombilla, tienes que comprarlo aparte.
RESPUESTA: neutro

EJEMPLO: no me llego el pedido
RESPUESTA: negativo

EJEMPLO: Es pequeño, silencioso y no pesa nada. Lo uso para calentar una habitación de tamaño medio y a los 10 minutos (a máxima potencia) tengo que apagarlo porque hace calor. Genial.
RESPUESTA: positivo

EJEMPLO: Para el colegio son perfectos.Duran mucho tiempo.Llegaron antes de tiempo.
RESPUESTA: positivo

EJEMPLO: Para una urgencia que no encuentres los de Catit bien, pero para poco tiempo
RESPUESTA:


MODEL OUTPUT

 For a urgencia que no encuentres los de Catit bien, pero para poco tiempo


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

EJEMPLO: A mí no me las ha dejado muy limpias...o no se usarlo bien o no es tan efectivo como dicen.
RESPUESTA: neutro

EJEMPLO: Estaria bien que fuese mas largo el hueco pars que no se quede tsn colgado el pints labios. Cumple su funcion si no tienes mucho dinero.
RESPUESTA: neutro

EJEMPLO: bien te lo traen a casa y listo a funcionar
RESPUESTA: neutro

EJEMPLO: Funciona bien pero se nota que la calidad no es la de la original.
RESPUESTA: neutro

EJEMPLO: Me ha gustado porque tiene una buena estructura y gran capacidad para guardar ropa, calzado...
RESPUESTA: positivo

EJEMPLO: No me esperaba que funcionara tan bien,te salva en cualquier sitio de comer caliente!!.
RESPUESTA:


MODEL OUTPUT

 EJEMPLO: No esperaba que funcionara bien bien,te salvar en cualquier sitio de comer caliente!!


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

EJEMPLO: Cómodo y muy bien la Calidad precio
RESPUESTA: positivo

EJEMPLO: Està bien para el precio que tiene
RESPUESTA: neutro

EJEMPLO: Sirve, pero no tiene mucha calidad
RESPUESTA: neutro

EJEMPLO: Perfecto a un precio increíble
RESPUESTA: positivo

EJEMPLO: Cumple sin más, relación calidad/precio aceptable. Fácil de instalar. La verdad que hay otras opciones que me parecen mejor, pero no está mal.
RESPUESTA: neutro

EJEMPLO: Bien calidad precio.
RESPUESTA:


MODEL OUTPUT

 positive


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

EJEMPLO: Lo compré en una oferta del black-friday para algún regalo, y al final me lo quedé para los niños, es asequible y tiene muchas piezas para entretenerse con los imanes.
RESPUESTA: neutro

EJEMPLO: Funciona bien, pero a veces apretando se suelta.
RESPUESTA: neutro

EJEMPLO: Chulísimo,a la niña del cumple le ha encantado
RESPUESTA: positivo

EJEMPLO: los llaveros son de plástico finito,pero por el precio no se puede pedir más .Las pulseras tallan un poco grande para niños
RESPUESTA: neutro

EJEMPLO: Lo compre pensando en conectar para transmisión de datos y solo sirve para cargar la batería. Para esto último es práctico. Pero si lo quieres para otra cosa no vale.
RESPUESTA: neutro

EJEMPLO: Todo biem lo compre para una fiesta de niños
RESPUESTA:


MODEL OUTPUT

 es asequible y tiene muchas piezas para entretener con los imanes.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

EJEMPLO: Para el precio esta bien,el pegamento de las pegatinas no es el mejor,hay que hacer bastante presión y pegarla varias veces. Pero para el precio y la cantidad están bien.
RESPUESTA: neutro

EJEMPLO: Se limpia bien pero las plantillas que incluye son pegatinas, vamos que tienen pocos usos, deberían ser de otro material más resistente
RESPUESTA: neutro

EJEMPLO: A mi hija la ha encantado. Viene además 2 hojas con pegatinas de estrellas, círculos y formas pequeñas en color rojo y plata y se lo ha pasado genial pintando y pegándolas.
RESPUESTA: positivo

EJEMPLO: Lo compré para fijar una alfombra al suelo. Adhiere bien a la baldosa, pero no se pega completamente a la parte engomada de la alfombra. De todas formas, por el precio que tienen los 8 metros, no me arrepiento de la compra. Si veo que se mueve, lo coseré a la alfombra y problema resuelto. La entrega rápida y sin problemas.
RESPUESTA: neutro

EJEMPLO: Alumbran bien. Pero la cinta adhesiva pega muy poco. Nose si podrían enviar otra de mejor calidad. Gracias
RESPUESTA: neutro

EJEMPLO: Muy buen precio por la cantidad de pegatinas que ofrece. Hace tiempo compré una pegatina para el coche y costaba prácticamente lo mismo, mientras que ahora tengo 300 y puedo utilizarla para multitud de cosas. Muy contento la verdad, vienen pegatinas de marcas, de dibujos animados, de todo tipo.
RESPUESTA:


MODEL OUTPUT




PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

EJEMPLO: Es muy pequeña y tardó bastante en llegar. Pienso que es una pieza más para aire que para agua. El paso es muy pequeño.
RESPUESTA: neutro

EJEMPLO: No me gusta nada de nada....pero es lo que quiere mi hija. Lo espera con ilusión....así que....bueno. Me parece un juguete muy caro para lo que es.
RESPUESTA: negativo

EJEMPLO: Yo usaba el tamaño slim que compraba en el estanco y pensaba que estos eran iguales pero no, son aún más cortos. Yo uso una liadora manual y ya me apaño pero para quien los lie a mano necesitará práctica. Por lo demás, relación cantidad-precio excelente.
RESPUESTA: neutro

EJEMPLO: Esta bien, es fino, queda mas grande de lo que se indica en el tallaje. El gorro también es grande.
RESPUESTA: neutro

EJEMPLO: El unico problema que tiene es que los hielos son un poco pequeños y que la tapa no queda bien sujeta.
RESPUESTA: positivo

EJEMPLO: El tamaño está muy bien, es lo que esperaba. El pero que le pongo es que pierde aire aunque no esté pinchado. Al cabo de menos de una hora ya no está bien hinchada y hay que volver a meterle aire, pero vamos, bastante bien.
RESPUESTA:


MODEL OUTPUT

 eso es lo que esperaba. es lo que es que es que es que es que es que es que es que es que es que es que es que


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

EJEMPLO: Es un rollo para ponerlo en marcha...
RESPUESTA: neutro

EJEMPLO: Ha venido con el cerdito suelto y limado en ciertas zonas, la caja obviamente rota. Si lo quieres para exponer, exige mayor cuidado a la hora de la compra.
RESPUESTA: neutro

EJEMPLO: Es lo que buscaba, además viene en milímetros y no en centímetros.
RESPUESTA: positivo

EJEMPLO: de momento parece que cumple su cometido lo he probado un par de veces con distintas chapas y parece que va bien
RESPUESTA: neutro

EJEMPLO: Lo volvería a comprar
RESPUESTA: positivo

EJEMPLO: En el primer viaje se le ha roto una rueda.
RESPUESTA:


MODEL OUTPUT

 en el primer viaje se le ha roto una rueda.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

EJEMPLO: Está bien para el precio que tiene, no sirve para llevar cosas frías, el tamaño es un poco justo, caben dos tuppers pequeños y una lata
RESPUESTA: neutro

EJEMPLO: Cumple sin más, relación calidad/precio aceptable. Fácil de instalar. La verdad que hay otras opciones que me parecen mejor, pero no está mal.
RESPUESTA: neutro

EJEMPLO: No lo recomiendo!!! envío fue rápido .. pero muñeca tiene un ojito mal pintada ..estoy muy decepcionada con la compra deberían revisar los envíos antes de empaquetarlos
RESPUESTA: negativo

EJEMPLO: Me ha gustado mucho el producto. El diseño y calidad muy buenos. El pedido llegó muy rapido. Me ha encantado
RESPUESTA: positivo

EJEMPLO: La funda no esta mal, pero en la parte trasera vienen 4 apoyos blancos, uno de ellos venia muy mal pegado y al segundo día lo perdí.Me esperaba mas por su precio.
RESPUESTA: neutro

EJEMPLO: No esta mal ,tiene un precio razonable.La entrega a sido rápida y en buenas condiciones,esto bastante contenta con mi pedido
RESPUESTA:


MODEL OUTPUT

 positive


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

EJEMPLO: Buenos materiales. Gran sonido. Sin problemas de conexión con ningún dispositivo Bluetooth que he probado. Los leds le dan un toque chic.
RESPUESTA: neutro

EJEMPLO: Magnífico cable recibe la señal perfectamente.
RESPUESTA: positivo

EJEMPLO: Los dos usb de los laterales tienen el problema de que no son 100% accesibles, tienes la opción de forzar un poco la placa y sus conexiones o como yo he hecho usar una pequeña lima y retirar ese milímetro que te sobra
RESPUESTA: neutro

EJEMPLO: Para el precio que tienen, bastante bien van. No tiene manera de apagarlos o encenderlos si no es conectando/desconectando el cable.
RESPUESTA: neutro

EJEMPLO: No lleva conector spdif, ni óptico que ya se ve en la foto, ni coaxial! Es para un proyector y tengo que sacar el audio a unos altavoces (no me vale que salga por el HDMI)
RESPUESTA: negativo

EJEMPLO: Los he devuelto, son unos auriculares normales de cable pero que necesitan estar conectados al Bluetooth, con lo cual no son nada prácticos. Además una vez conectados se desconfiguran todo el tiempo y se dejan de oír sin razón aparte.
RESPUESTA:


MODEL OUTPUT

 el he devuelto, son unos auriculares normales de cable pero que necesitan estar conectados al Bluetooth, con lo que no son nada prácticos. a vez conectado


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

EJEMPLO: La relación calidad precio es correcta. Un modelo para principiantes en esta afición. En general correcto
RESPUESTA: neutro

EJEMPLO: La poca cantidad que venía en el sobre no da para ver resultados
RESPUESTA: negativo

EJEMPLO: Muy practico.Pero cuando hay sol no ves absolutamente nada.Las pulsaciones tampoco las marca bien.Pero por el precio no se puede pedir mas
RESPUESTA: neutro

EJEMPLO: Sirve, pero no tiene mucha calidad
RESPUESTA: neutro

EJEMPLO: És un aparato que calidad precio no se puede pedir nada más, no tiene sorpresa,és un aparato sencillo
RESPUESTA: neutro

EJEMPLO: Correcto pero no hidrata suficiente aun usandolo diariamente. Esperaba otro resultado mas sorprendente. Relacion precio y cantidad es correcta, pero la calidad un poco justa
RESPUESTA:


MODEL OUTPUT

 calidad


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

EJEMPLO: No me llegó lo que pedí y me vino incompleto
RESPUESTA: negativo

EJEMPLO: Lo compre pensando en conectar para transmisión de datos y solo sirve para cargar la batería. Para esto último es práctico. Pero si lo quieres para otra cosa no vale.
RESPUESTA: neutro

EJEMPLO: Me gusto porque llego muy rápido, pero luego no es muy practico ya q tienes que desmontar media silla xa poder ponerlos
RESPUESTA: neutro

EJEMPLO: A pesar de estar tomándome este producto durante dos meses y medio religiosamente cada día ,no sirve absolutamente de nada, porque sigo blanca como la pared. Admiro a las personas que lo han tomado y les ha funcionado pero desde luego a mí, no ha sido el caso. Decían que empezaba a funcionar desde el segundo mes pero pienso que aunque lo tomase 12 meses seguiría igual.
RESPUESTA: negativo

EJEMPLO: El sonido me a parecido bastante decente pero me hacen daño en las orejas después de un tiempo puestos. Los he devuelto
RESPUESTA: neutro

EJEMPLO: Lo devolví porque era imposible llevar tal peso en mis viajes. Casi medio kilo. No me fijé en ese dato.
RESPUESTA:


MODEL OUTPUT

 eso es el tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

EJEMPLO: No pesa, no abulta, no se mueve. Me parece perfecto. Para una micro cuatro tercios, es perfecto. Si lo recomiendo.
RESPUESTA: positivo

EJEMPLO: Pues me dejé guiar por las buenas opiniones y al final ha sido un triunfazo!! a todos en casa les ha encantado. Fácil de instalar. Todo en él es metálico lo que le da robustez. He probado un poco el sonido y bueno no hay color de grabar con este micrófono a uno de auriculares que usaba antes, lo que si aconsejo que no lo pongais muy cerca de la torre del ordenador y más si es antigua porque por muy bueno que sea el micro milagros no hace jeje Viene con un usb que por ejemplo yo lo usaré para ponerlo en el portatil y poder conectarle el microfono y unos auriculares y así poder editar con él.
RESPUESTA: positivo

EJEMPLO: Es una maravilla nos ha llegado super rapido y mis hijos estan encantados construyendo toda clase de cosas,me parece un juego muy didactico y que les ayuda a pensar y desarrollar su creatividad, en mi caso buscaba algo asi y he acertado Los materiales son muy buenos
RESPUESTA: positivo

EJEMPLO: SIEMPRE LO COMPRO, PERO LO MALO ES EL PRECIO, MUY CARO Y CADA VEZ LO SUBEN MAS DE PRECIO CUANDO SON UNAS PEGATINAS. NO OBSTANTE, HACEN SU USO, PERO SOLO POR UNOS DIAS ESCASOS... AUN ASI ES UNA NOVEDAD
RESPUESTA: neutro

EJEMPLO: Hice pan y la verdad es que va muy bien!
RESPUESTA: positivo

EJEMPLO: La compré por su precio pero la verdad recomiendo si o si una caja ATX aunque tengas una placa Micro ATX. Muy poco espacio para montar los componentes y aveces hay que hacer virguerías para poder ensamblar todo...
RESPUESTA:


MODEL OUTPUT

 Por qué es el objeto de clasificación de texto?


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

EJEMPLO: Firmware verde. No lo he podido configurar con Movistar. Sin Triple Vlan de momento y Router siempre sin conexión a internet. Restaurado sin éxito
RESPUESTA: negativo

EJEMPLO: Un poquito escaso pero funciona , hay que seguir bien todos los pasos
RESPUESTA: positivo

EJEMPLO: Todo correcto, Muy recomendable. Buena opción para tener cables de reserva. Envio rapidisimo! Excelente relación calidad/precio. Recomendable para la empresa y en casa.
RESPUESTA: positivo

EJEMPLO: Pues me dejé guiar por las buenas opiniones y al final ha sido un triunfazo!! a todos en casa les ha encantado. Fácil de instalar. Todo en él es metálico lo que le da robustez. He probado un poco el sonido y bueno no hay color de grabar con este micrófono a uno de auriculares que usaba antes, lo que si aconsejo que no lo pongais muy cerca de la torre del ordenador y más si es antigua porque por muy bueno que sea el micro milagros no hace jeje Viene con un usb que por ejemplo yo lo usaré para ponerlo en el portatil y poder conectarle el microfono y unos auriculares y así poder editar con él.
RESPUESTA: positivo

EJEMPLO: Lo he probado en un Mac con sistema operativo High Sierra y al instalar los drivers me ha bloqueado el ordenador. He mirado en la página del fabricante y no tienen soporte actualizado para la última versión del SO de Mac.
RESPUESTA: negativo

EJEMPLO: es fácil de poner e instalar pero , en cuanto le pides un poco más de lo normal, no responde. El tener solo una boca hace que tengas que poner un switch y, si de ese sale un cable que va a otra habitación en la que hay otro switch la velocidad cae drásticamente. Probablemente sea más culpa del switch pero no he conseguido dar con alguno que no de ese problema, cosa que no me ocurría con un router estandard de los de asus con 4 bocas. También he experimentado problemas y he tenido que reconfigurar equipos como un NAS y demás En fin, para un instalación simple de router y todo wifi más acces point vale, pero no lo recomendaría si tienes una configuración algo más compleja
RESPUESTA:


MODEL OUTPUT




PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

EJEMPLO: Todavía no he tenido tiempo de probarlo, a tener en cuenta que no lleva pilas, hay que comprarlas , son de las pequeñas no de las de boton sino de las otras.
RESPUESTA: neutro

EJEMPLO: Era un regalo y la verdad que esta dando la talla que deseaba!! Facil de utilización y muy creativo.
RESPUESTA: positivo

EJEMPLO: La funda para el sofá es muy fina. El material no transmite sensación de que vaya a durar en el tiempo, pero por el precio que tiene no podría pedirse algo mejor, o si?. Compré una funda de marca para la barbacoa y comprado con esta es de risa. En principio hace de repelente de agua, pero no lo he probado con lluvia torrencial, lo he probado tirándole un poco de agua en una zona con un vaso. Habría que volver a valorar esta funda con el paso del tiempo para ver si merece la pena o no su compra.
RESPUESTA: neutro

EJEMPLO: Lo volvería a comprar
RESPUESTA: positivo

EJEMPLO: El cristal le va pequeño a la pantalla, por los lados sobra un monton así que no lo cubre por completo, uno de los 2 cristales que iban en el paquete llevaba como una mota de polvo de fabrica insalvable. No lo recomiendo.
RESPUESTA: negativo

EJEMPLO: Pelusas y bolas, desde el primer día, no la volveré a utilizar para cubrir el sofá. No la recomiendo, para nada.
RESPUESTA:


MODEL OUTPUT

 negative


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

EJEMPLO: No he recibido el pedido. me han hecho un reembolso por el valor de los articulos pedidos.
RESPUESTA: negativo

EJEMPLO: El reloj está bien l, lo que pasa que cada 2-3 días se adelanta un min y hay que estar ajustándolo y es un poco molesto
RESPUESTA: neutro

EJEMPLO: El marco cubre más del marco del reloj. O sea invade la pantalla. Siempre quedan algunas burbujas, lo he instalado 3 veces. Por último, y lo peor de todo, horrible la sensación táctil. Casi no obedece. Estoy a punto de quitarlo y comprar otro. Y eso que compre dos de este modelo.
RESPUESTA: negativo

EJEMPLO: la hebilla no enganchaba en cuanto te lo ponías al de unos segundos se soltaba tenia un cinturon viejo y le puse la hebilla y funcionaba perfectamente no lo cambie por eso pero desde luego mal muy mal no volveré a comprar de ese proveedor
RESPUESTA: negativo

EJEMPLO: todo parce bien, aun no lo he probado pero de primer vistazo todo esta correcto, no pongo más estrellas por eso
RESPUESTA: neutro

EJEMPLO: Hoy a dia 15 de Septiembre, todavia no he recibido el importe del reembolso que me hicieron el dia 5, me gustaría saber que pasa , porque no lo he rcibido.
RESPUESTA:


MODEL OUTPUT

 Hoy a dia 15 de Septiembre, todavia no he recibido el importe del reembolso que me hicieron el dia 5, e gustara saber que pasa ,


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

EJEMPLO: Está bien para el precio que tiene, no sirve para llevar cosas frías, el tamaño es un poco justo, caben dos tuppers pequeños y una lata
RESPUESTA: neutro

EJEMPLO: Cumple su propósito aunque son bastante endebles, hay que poner prendas ligeras si no se abren por el peso.
RESPUESTA: neutro

EJEMPLO: Muy buena calidad. Lo recomiendo.
RESPUESTA: positivo

EJEMPLO: La empresa lo devolvió sin previo aviso, era para Reyes. Un 0 no lo recomiendo en absoluto, decepciónado con el servicio.
RESPUESTA: negativo

EJEMPLO: Muy bonitas y el precio genial
RESPUESTA: positivo

EJEMPLO: El precio muy economico. Se acopla bien, pero en 30 segundos se ha caido. No aguanta el peso del Tom Tom.
RESPUESTA:


MODEL OUTPUT

 negative


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

EJEMPLO: En menos de 2-3 meses perdieron el color, totalmente descoloridas y dejaron de ser azules marino para pasar a tener falta de color, compra muy mala, ya es la segunda vez que me ocurre, no volveré a comprarlas.
RESPUESTA: negativo

EJEMPLO: No pesa, no abulta, no se mueve. Me parece perfecto. Para una micro cuatro tercios, es perfecto. Si lo recomiendo.
RESPUESTA: positivo

EJEMPLO: Era un regalo para unos amigos. Al parecer se ajusta perfectamente a lo que necesitaban
RESPUESTA: neutro

EJEMPLO: Llegó a tiempo y perfectamente embalado. Excelente móvil lo poco que lo he usado me ha resultado super rápido, fotos de excelente calidad, batería de larga durabilidad, buenos acabados, sonido excelente, fácil de usar y una pantalla con full color. Ha sido una buena compra.
RESPUESTA: positivo

EJEMPLO: La compré porque tenía la original que me quedaba grande. Ésta me queda perfecta y me encanta el color. Llevo con ella ya tiempo y sigue como el primer día.
RESPUESTA: positivo

EJEMPLO: era esactamente lo q queria, perfecto para teñir pasteles y tartas, da un color muy bonito y lo volveré a comprar seguro
RESPUESTA:


MODEL OUTPUT

 era esactamente lo q queria, perfecto para teir pasteles y tartas, da una color muy bonito y lo volveré a comprar seguro


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

EJEMPLO: El producto no llegó en el tiempo indicado, exactamente 24 días después, es lamentable que pasen estas cosas, ya no me sirve el producto para la fecha en la que ha llegado.
RESPUESTA: neutro

EJEMPLO: Aparentemente es bonito y fácil de colocar, pero cuando sales a la calle y lo tienes que usarlo para advertir algún peatón que se cruza despistado o deseas avisar, para poder pasar o adelantar. El sonido es muy débil insuficiente para una ciudad o pueblo. Es una pena el producto es bonito pero no merece la pena comprarlo.
RESPUESTA: negativo

EJEMPLO: Malísimo para nadar es muy endeble de abajo el tubo no vale nada se sale mucho no puedes nadar
RESPUESTA: negativo

EJEMPLO: Producto sencillo, barato y útil
RESPUESTA: positivo

EJEMPLO: Estuche para flauta muy cómodo. Muy buenos acabados. Esta marca ofrece productos de muy buena calidad.
RESPUESTA: positivo

EJEMPLO: el producto bajo mi punto de vista no sirve de nada porque las plantillas son feas con ganas pero son baratas...
RESPUESTA:


MODEL OUTPUT

 negative


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

EJEMPLO: No me ha gustado nada porque parece un libro de un niño pequeño, portada bonita pero cuando lo abres... no lo volvería a comprar nunca.
RESPUESTA: negativo

EJEMPLO: Me llegó abierto todo parecía que hubiera sido usado y no funcionaba la vibración.
RESPUESTA: negativo

EJEMPLO: No me ha gustado nada. Mucho calor dentro, resiste mal el viento, aunque no sea fuerte, los enganches se sueltan de las piquetas con facilidad. No la recomiendo.
RESPUESTA: negativo

EJEMPLO: Estaria bien que fuese mas largo el hueco pars que no se quede tsn colgado el pints labios. Cumple su funcion si no tienes mucho dinero.
RESPUESTA: neutro

EJEMPLO: Herramienta para llevar sin que pese ni ocupe mas de lo que acompañe una llave de tu casa. A lo mejor ni la usas...pero está ahi
RESPUESTA: positivo

EJEMPLO: No me han gustado. Las puntas se rompen con mucha facilidad. Mis hijas no los han podido usar.
RESPUESTA:


MODEL OUTPUT

 el ttulo de tu ttulo de tu ttulo de tu ttulo de tu ttulo de tu ttulo de tu ttulo de


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

EJEMPLO: Edición muy cuidada. Tiene buen sonido y me llegó muy rápido. En perfecto estado, sin ningún rasguño. A día de hoy no tengo ninguna pega. Además es muy original, destaca entre toda la colección de vinilos.
RESPUESTA: positivo

EJEMPLO: No están mal y se mantienen bastante pero tiene brillantina y es lo que no me gusta y no compraré más por ese motivo
RESPUESTA: neutro

EJEMPLO: Queda muy bien y te protege el reloj
RESPUESTA: positivo

EJEMPLO: Correcto.Cumple su cometido y los adhesivos son bastante fuertes.No se despegan facilmente.Por precio merece la pena teniendo en cuenta que vienen 10 unidades.
RESPUESTA: neutro

EJEMPLO: Muy bonitas y el precio genial
RESPUESTA: positivo

EJEMPLO: Son muy cómodos y tienen muy buen sonido
RESPUESTA:


MODEL OUTPUT

 perfecte es el lder y tienen muy buen lder


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

EJEMPLO: Tenía un disco duro de 80 GB procedente de un portátil que tiré y me daba pena tirarlo. Compré esta carcasa, bien barata, y ahora tendo un USB de 80 GB. Como digo: Perfecto y barato.
RESPUESTA: positivo

EJEMPLO: El protector de pantalla llegó un poco roto.
RESPUESTA: neutro

EJEMPLO: Los dos usb de los laterales tienen el problema de que no son 100% accesibles, tienes la opción de forzar un poco la placa y sus conexiones o como yo he hecho usar una pequeña lima y retirar ese milímetro que te sobra
RESPUESTA: neutro

EJEMPLO: Se podría mejorar el ajuste del imán conector. Resto muy correcto. Similar al original de Surface, incluye conector supletorio USB
RESPUESTA: neutro

EJEMPLO: Sirve para ir por rectas pero si coges una curva del circuito se sale el 100%de las veces por lo que lo tienes que poner con las manos. Esto hace que te aburras. No lo recomiendo.
RESPUESTA: neutro

EJEMPLO: Ha llegado roto en la base del USB
RESPUESTA:


MODEL OUTPUT

 el ajuste del imán conector. Resto muy correcto. Similar al original de Surface, incluye conector supletorio USB


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

EJEMPLO: La máquina No funciona correctamente no corta el pelo se atasca desde el principio, es decir, no es un producto que yo recomiende. Baja calidad no recomendable.
RESPUESTA: negativo

EJEMPLO: bien te lo traen a casa y listo a funcionar
RESPUESTA: neutro

EJEMPLO: Se le caen los brillantes y andan por donde pase la niña. Que termina quedándose feo, solo con la manchita del pegamento donde venia el brillante que es como una lentejuela
RESPUESTA: neutro

EJEMPLO: ha salido con defecto, en llamadas salientes no se oye al interlocutor, lo cambie por otro igual y he tenido el mismo problema
RESPUESTA: negativo

EJEMPLO: Alumbran bien. Pero la cinta adhesiva pega muy poco. Nose si podrían enviar otra de mejor calidad. Gracias
RESPUESTA: neutro

EJEMPLO: No funciona nada bien, se queda el azúcar pegado a la máquina, sin llegar ha hacer el algodon
RESPUESTA:


MODEL OUTPUT

 no funciona bien, se queda el azcar pegado a la máquina, sin llegar hacer el algodon


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

EJEMPLO: Mejor de lo que esperaba, tiene buena capacidad y queda perfecto. Es más grande de lo que esperaba. Por fin el vidrio está ordenado.
RESPUESTA: positivo

EJEMPLO: Calidad y buen precio
RESPUESTA: neutro

EJEMPLO: Más pequeño de lo esperado
RESPUESTA: neutro

EJEMPLO: Muy buena calidad. Lo recomiendo.
RESPUESTA: positivo

EJEMPLO: Se ve que la calidad es buena dentro de la media, aunque lo que no me gustó en relación a otros como el Ol'Vita, es que no guarda mucho de la parte de aceite esencial que le da el matiz "especiado". Para algunos usos quizá sea mejor no tener un sabor tan fuerte, pero para temas de salud preferiría tener todo el espectro natural.
RESPUESTA: neutro

EJEMPLO: Buena calidad, mejor de lo esperado
RESPUESTA:


MODEL OUTPUT

 positive


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

EJEMPLO: No sirve para agua caliente se deforma
RESPUESTA: negativo

EJEMPLO: Alumbran bien. Pero la cinta adhesiva pega muy poco. Nose si podrían enviar otra de mejor calidad. Gracias
RESPUESTA: neutro

EJEMPLO: Es lo que buscaba, además viene en milímetros y no en centímetros.
RESPUESTA: positivo

EJEMPLO: Tened en cuenta las medidas porque es muy pequeña. Yo tuve que devolverla porque en un salón de 4m2 se veía ridícula. Pero la lámpara es bonita y de buena calidad.
RESPUESTA: negativo

EJEMPLO: Muy fino, abriga poco
RESPUESTA: neutro

EJEMPLO: Se echa en falta otra pantalla adiccional.
RESPUESTA:


MODEL OUTPUT

 negative


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

EJEMPLO: Más pequeño de lo esperado
RESPUESTA: neutro

EJEMPLO: Es muy pequeña y tardó bastante en llegar. Pienso que es una pieza más para aire que para agua. El paso es muy pequeño.
RESPUESTA: neutro

EJEMPLO: Mejor de lo que esperaba, tiene buena capacidad y queda perfecto. Es más grande de lo que esperaba. Por fin el vidrio está ordenado.
RESPUESTA: positivo

EJEMPLO: Muy buena calidad. Lo recomiendo.
RESPUESTA: positivo

EJEMPLO: Buenos guantes, calentitos, quizás un poco pequeños, pero yo tengo manos grandes. Al quedarme pequeños y estirarlos un poco, se ha roto el encaje.
RESPUESTA: neutro

EJEMPLO: mas pequeño de lo esperado
RESPUESTA:


MODEL OUTPUT

 neutro


PARSE RESULT

 ['neutro']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

EJEMPLO: A mi hija la ha encantado. Viene además 2 hojas con pegatinas de estrellas, círculos y formas pequeñas en color rojo y plata y se lo ha pasado genial pintando y pegándolas.
RESPUESTA: positivo

EJEMPLO: Cumple su función, aunque la calidad de los materiales deja algo que desear. Se ve que es plástico del barato y da sensación de fragilidad. Veremos como aguanta el paso del tiempo y los usos.
RESPUESTA: neutro

EJEMPLO: La máquina No funciona correctamente no corta el pelo se atasca desde el principio, es decir, no es un producto que yo recomiende. Baja calidad no recomendable.
RESPUESTA: negativo

EJEMPLO: Pegan muy bien a la base con el velcro, las he usado con madera y para pulir resina epoxi y van de lujo, compré tambien la base del taladro, la engancho a la mesa y a trabajar.
RESPUESTA: positivo

EJEMPLO: Alumbran bien. Pero la cinta adhesiva pega muy poco. Nose si podrían enviar otra de mejor calidad. Gracias
RESPUESTA: neutro

EJEMPLO: Un recopilatorio sin más, decoración de caja y cd sencilla. La pegatina transparente que tiene de cierre si no se retira con cuidado puede dañar la pintura de la caja de cartón.
RESPUESTA:


MODEL OUTPUT

 recopilatorio sin más, decoración de caja y cd sencilla. La pegatina transparente que tiene decierre si no se retira con cuidado puede daar la pintura de


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

EJEMPLO: Para el precio esta bien,el pegamento de las pegatinas no es el mejor,hay que hacer bastante presión y pegarla varias veces. Pero para el precio y la cantidad están bien.
RESPUESTA: neutro

EJEMPLO: Aparentemente tiene muy buena calidad y un gran precio para venir tres protectores. Ningún problema a nivel táctil muy transparente, del tamaño exacto para la pantalla. Sin embargo, el primero no fui capaz de que se adhiriera a la pantalla (quedaba despegado la mitad); pensé que era mi inexperiencia. El segundo quedó ya mejor, pero aún y todo, no adherido del todo. Y ahí ya no es por exceso de confianza. Gracias a que uso una funda tipo libro la pantalla no queda expuesta y he reservado el tercer protector para más adelante.
RESPUESTA: neutro

EJEMPLO: No están mal aunque son enormes, yo e cortado la parte de los aros y las puse en la parte trasera ya que sino ocupa mucho espacio.
RESPUESTA: neutro

EJEMPLO: No le doy las 5 estrellas por q el cristal no llega a cubrir del todo ( a lo ancho) el smartphone. Lo puse varias veces y a lo ancho se queda un poco corto. Por lo demás super bien embalado.. en si cajita antigolpes... Manual de instrucciones, toallitas.. no falta detalle la verdad.. la única pega.. la q comenté anteriormente...
RESPUESTA: neutro

EJEMPLO: Muy caros luego los he estado viendo 2euros iguales y la misma marca .se han pasado con el margen de beneficio
RESPUESTA: neutro

EJEMPLO: Deja unos bordes porque no se pega bien por los lados, pero todos los protectores por estos precios les pasa lo mismo
RESPUESTA:


MODEL OUTPUT

 Deja unas bordes porque no se puede bien en los lados, pero todos los protectores por estas precios les pasa lo mismo


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

EJEMPLO: Me ha gustado mucho el producto. El diseño y calidad muy buenos. El pedido llegó muy rapido. Me ha encantado
RESPUESTA: positivo

EJEMPLO: La tarta es un poco pequeña y los complementos más aun. Me esperaba otra cosa. Pero está bien. Es plástico todo
RESPUESTA: neutro

EJEMPLO: Producto sencillo, barato y útil
RESPUESTA: positivo

EJEMPLO: Buena relación calidad precio. Tiene bastante potencia y pesa muy poco.
RESPUESTA: positivo

EJEMPLO: Estaba buscando unos cuchillos de carne que me durasen para muchísimo tiempo sin importarme gastar un poco más. A veces es mejor no comprar barato. Estos cuchillos van a sustituir a unos antiguos que tenía que aunque hacían bien su función se me fueron estropeando porque el mango era de plástico y de tanto lavado se fue estropeando esta parte. A primera vista ya se aprecia que son de muy buena calidad por los materiales con los que están fabricados. A destacar también el envoltorio ya que son perfectos para regalar. Muy buena compra.
RESPUESTA: positivo

EJEMPLO: Buena calidad y peso. Al uno con cuchilla merkur ni un tajo. Hay ke controlar un poco el tacto pero va fina. Producto original. Entrega en plazos
RESPUESTA:


MODEL OUTPUT

 Entrega en plazos


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

EJEMPLO: Muy buena calidad. Lo recomiendo.
RESPUESTA: positivo

EJEMPLO: Es tal y lo que te pone en la descripción, sin más, aunque la apertura de la basura, con el pedal, me da la impresión que se romperá dentro de no mucho tiempo, ya que se abre muy de golpe, aunque lo presiones suavemente.
RESPUESTA: neutro

EJEMPLO: Plastico cutre, vienen con cinta adhesiva de mala calidad que he tenido que cambiar en todos.
RESPUESTA: negativo

EJEMPLO: Cumple su propósito aunque son bastante endebles, hay que poner prendas ligeras si no se abren por el peso.
RESPUESTA: neutro

EJEMPLO: Vienen un montón de cosas, como el cortahilos que me encanta , para empezar a bordar está muy bien. Los hilos no parecen de mala calidad, y hay muchos colores
RESPUESTA: positivo

EJEMPLO: son monos, aunque se ven de poca calidad, para lo que cuestan no se puede pedir mucho mas
RESPUESTA:


MODEL OUTPUT

 es monos, o eso te pone en la descripción, sin más, aunque la apertura de la basura, con el pedal, me da la impresión que se romperá dentr


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

EJEMPLO: El ventilador cumple su función el problema principal para mí es que su cable de conexión es muy, muy corto y apenas me permite alejarlo un metro del enchufe
RESPUESTA: neutro

EJEMPLO: Muy buena calidad. Lo recomiendo.
RESPUESTA: positivo

EJEMPLO: Un teléfono ajustado a la definición. Sencillo y práctico. El timbre de llamada un poco bajo
RESPUESTA: neutro

EJEMPLO: Magnífico cable recibe la señal perfectamente.
RESPUESTA: positivo

EJEMPLO: Para el precio que tienen, bastante bien van. No tiene manera de apagarlos o encenderlos si no es conectando/desconectando el cable.
RESPUESTA: neutro

EJEMPLO: Es tan inhalámbrico que ni incluye el cable de alimentación.
RESPUESTA:


MODEL OUTPUT

 es tan inhalámbrico que no incluye el cable de alimentación.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

EJEMPLO: Es un auténtico timo, plástico de malísima calidad, lleva un ventilador de muy baja potencia, es de Pc, he metido el recipiente al congelador y ni poniéndole hielo enfria, imagínate con agua. Los botones que lleva dan la sensación que se van a romper cuando los pulsas, la tapa que tienes que quitar para sacar el recipiente luego no encaja y te tiras media hora para volverla a poner en su sitio. El agua a veces se sale y la placa electrónica que lleva el aparato no está protegida, te doy 2 días para que se rompa, esto es un timo señores, no malgasten su dinero, ni 5€ vale, le doy una estrella porque me obligan.
RESPUESTA: negativo

EJEMPLO: El arte del juego es precioso. La historia merece ser vista al menos. La edición coleccionista, a ese precio, y con este juego, merece salir de camino a casa de cualquier jugon.
RESPUESTA: positivo

EJEMPLO: Aún no lo he probado. Algo malo es que vienen las instrucciones en inglés y nada en español.
RESPUESTA: neutro

EJEMPLO: Envío rápido pero la bolsa viene sin caja ( en otras tiendas online viene mejor empaquetado) y por consecuencia la bolsa tenía varios puntos con agujeros... La comida está en buen estado pero ya no te da la misma confianza. Fecha de caducidad correcta.
RESPUESTA: neutro

EJEMPLO: 3 estrellas porque llegó tarde y no en la fecha prevista.Como no el reparto tenía que ser con Seur.En cuanto a la mochila es tal y como la ves,ni más ni menos.
RESPUESTA: neutro

EJEMPLO: El juego llego en la fecha prevista y precintado, lo curioso es que la caratula de la caja y el libreto interior están en ingles, y no indican por ningún lugar que el juego este doblado al Español, tanto los textos como los diálogos del mismo, tenia serias dudas al comprarlo ya que en las imágenes que lo anuncia ya se ve que están los textos en ingles, pero el juego esta en español como ya he indicado anteriormente, también lo indican en la mayoría de las respuestas a preguntas de otros compradores sobre si estaba o no en español. De momento lo único que he hecho ha sido cargarlo en la PS4 para asegurarme de que estaba en español, por si tenia que devolverlo en el caso de que se pueda una vez lo has des precintado claro, mas adelante cuando lo juegue ya emitiré una segunda opinión del mismo.
RESPUESTA:


MODEL OUTPUT

 El juego llego en la fecha prevista y precintado, lo curioso es que la caratula de la caja y la libreto interior están en ingles, y no indican por


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

EJEMPLO: Cómodo y muy bien la Calidad precio
RESPUESTA: positivo

EJEMPLO: Está muy bien, corren y saltan detrás de ellos.
RESPUESTA: positivo

EJEMPLO: Calidad increíble, sabor muy intenso. Se nota que es un producto natural... Merece la pena pagar lo que vale. Muy satisfecho.
RESPUESTA: positivo

EJEMPLO: Mala calidad, solo funciona la mitad, nada recomendable
RESPUESTA: neutro

EJEMPLO: El reloj está bien, se ve muy bien la hora, tiene buen diseño, los plásticos no parecen muy malos, para el precio que tiene estaría muy bien excepto sino fuera por un detalle. La hebilla sobresale mucho, se me clava en la muñeca y eso que lo he llevado bastante suelto.
RESPUESTA: neutro

EJEMPLO: Están muy bien ,calidad excelente
RESPUESTA:


MODEL OUTPUT

 calidad


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

EJEMPLO: No he recibido el pedido. me han hecho un reembolso por el valor de los articulos pedidos.
RESPUESTA: negativo

EJEMPLO: Siempre he comprado WD y no me defrauda. Desafortunadamente no puedo decir lo mismo cuando he comprado otras marcas
RESPUESTA: positivo

EJEMPLO: Es justo lo que buscaba ni más ni menos y además es como la que tenía de hace ya años.
RESPUESTA: positivo

EJEMPLO: He probado varios auriculares ya. Estos sin duda son los que mejor resultado dan en cuanto a sonido y comodidad se refiere. Totalmente recomendable.
RESPUESTA: positivo

EJEMPLO: Aún no lo he probado. Algo malo es que vienen las instrucciones en inglés y nada en español.
RESPUESTA: neutro

EJEMPLO: Mi pedido aparece como entregado y aún no lo he recibido.
RESPUESTA:


MODEL OUTPUT

 negative


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

EJEMPLO: El envío muy rápido, el mismo día del lanzamiento del libro. La lástima es que me lo han mandado algo deteriorado, en la parte superior hay una zona que está como rasgada. Era para un regalo.
RESPUESTA: neutro

EJEMPLO: Bien para lo que cuesta
RESPUESTA: neutro

EJEMPLO: Todo perfecto por lo que vale.
RESPUESTA: positivo

EJEMPLO: Gran Altavoz. Buen sonido, buenos graves, buen volumen...
RESPUESTA: positivo

EJEMPLO: Es muí bonito igual que en la. Foto gracias
RESPUESTA: positivo

EJEMPLO: Pensé que era más grande
RESPUESTA:


MODEL OUTPUT

 Por qué era más grande?


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

EJEMPLO: Después de mas de mes y medio esperando el producto, el día antes de que se cumpliera el plazo de entrega me llegó un mensaje de la empresa de que anulaba mi pedido
RESPUESTA: negativo

EJEMPLO: Me encanto. Ya los he comprado varias veces.
RESPUESTA: positivo

EJEMPLO: Estoy muy defraudada,ponía 2 fechas de entrega y ni una ni otra,y aún estoy esperando una respuesta de por qué no me ha llegado el producto.Si no lo hay,pues que me devuelvan el dinero.Exijo una respuesta y una solución yaaa!!!!
RESPUESTA: negativo

EJEMPLO: Me ha gustado mucho el producto. El diseño y calidad muy buenos. El pedido llegó muy rapido. Me ha encantado
RESPUESTA: positivo

EJEMPLO: Es justo lo que buscaba ni más ni menos y además es como la que tenía de hace ya años.
RESPUESTA: positivo

EJEMPLO: No me llegó el producto y ni el vendedor respondía los mensajes.
RESPUESTA:


MODEL OUTPUT

 negative


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

EJEMPLO: EDITO: 2 meses tras la compra ha dejado de funcionar los USB (motivo por el que compré el soporte. Evidentemente tiré la caja así que me quedo sin devolución y con una mesa de plástico.
RESPUESTA: negativo

EJEMPLO: la tela no es la que esperaba
RESPUESTA: neutro

EJEMPLO: Se podría mejorar el ajuste del imán conector. Resto muy correcto. Similar al original de Surface, incluye conector supletorio USB
RESPUESTA: neutro

EJEMPLO: Tenía un disco duro de 80 GB procedente de un portátil que tiré y me daba pena tirarlo. Compré esta carcasa, bien barata, y ahora tendo un USB de 80 GB. Como digo: Perfecto y barato.
RESPUESTA: positivo

EJEMPLO: Yo usaba el tamaño slim que compraba en el estanco y pensaba que estos eran iguales pero no, son aún más cortos. Yo uso una liadora manual y ya me apaño pero para quien los lie a mano necesitará práctica. Por lo demás, relación cantidad-precio excelente.
RESPUESTA: neutro

EJEMPLO: Compré este pincho original y estoy contenta. Los datos se pasan bastante rapido,está acabado de metal. Sobre todo me encanta que se puede sujetar el teléfono. Usb muy cómodo ,original y resistente.Cumle perfectamente su funcion.Recomendable
RESPUESTA:


MODEL OUTPUT

 Cumle perfectamente su funcion.Recomendable


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

EJEMPLO: Ideal original y divertida Bolsitas de regalo o para poner golosinas, bombones, etc La forma de las orejas con el nudo ya depende de la gracia que tenga cada uno. Se recomienda rellenar bien para que no queden granos en la cara del muñeco
RESPUESTA: positivo

EJEMPLO: a mi parecer muy incómodo para jugar
RESPUESTA: neutro

EJEMPLO: Muy elegante y bonito
RESPUESTA: positivo

EJEMPLO: Para empezar, si el tiempo de envío es largo, el producto se retrasa por problema de aduanas. Solicitó la devolución, ya que es para un regalo y ante la tardanza han adquirido una prenda similar en otro sitio. Amazon me pone en contacto con el vendedor, el cual no facilita la devolución. Mientras tanto recibo el paquete y cuál es mi sorpresa que el artículo q me envían es un bolso negro, una especie de portafolios pero que nada tiene que ver con el sujetador de lactancia que encargue. Sigo en contacto con el vendedor, que aún sigue sin darme ninguna solución.
RESPUESTA: negativo

EJEMPLO: Era un regalo para unos amigos. Al parecer se ajusta perfectamente a lo que necesitaban
RESPUESTA: neutro

EJEMPLO: Muy original para regalar
RESPUESTA:


MODEL OUTPUT

 positive EJEMPLO: I am very original to jugar


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

EJEMPLO: Ha llegado la funda con un defecto/golpe. No me ha gustado encontrarme algo así. No estoy muy contento con el producto. Si algo tiene un defecto de fabrica, no debería de salir. Un saludo.
RESPUESTA: negativo

EJEMPLO: Es justo lo que buscaba ni más ni menos y además es como la que tenía de hace ya años.
RESPUESTA: positivo

EJEMPLO: Llego el producto en muy mal estado,como si ya se hubiera usado.
RESPUESTA: negativo

EJEMPLO: En una primera instancia llego defectuoso, pero me lo cambiaron sin problema y funciona bien.
RESPUESTA: neutro

EJEMPLO: Estoy muy defraudada,ponía 2 fechas de entrega y ni una ni otra,y aún estoy esperando una respuesta de por qué no me ha llegado el producto.Si no lo hay,pues que me devuelvan el dinero.Exijo una respuesta y una solución yaaa!!!!
RESPUESTA: negativo

EJEMPLO: El producto venia defectuoso y no funcionaba, ademas parece que estaba usado.
RESPUESTA:


MODEL OUTPUT

 negative


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

EJEMPLO: Està bien para el precio que tiene
RESPUESTA: neutro

EJEMPLO: No pesa, no abulta, no se mueve. Me parece perfecto. Para una micro cuatro tercios, es perfecto. Si lo recomiendo.
RESPUESTA: positivo

EJEMPLO: Perfecto a un precio increíble
RESPUESTA: positivo

EJEMPLO: Correcto.Cumple su cometido y los adhesivos son bastante fuertes.No se despegan facilmente.Por precio merece la pena teniendo en cuenta que vienen 10 unidades.
RESPUESTA: neutro

EJEMPLO: Es bastante simple y no trae muchas cosas pero más completo que otros que he visto más caros. Para el precio está bien.
RESPUESTA: neutro

EJEMPLO: Por el precio que tienen son simplemente perfectos.
RESPUESTA:


MODEL OUTPUT

 neutro


PARSE RESULT

 ['neutro']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

EJEMPLO: No cubre toda la pantalla. La margen negra tapa la laterales como un medio mm.
RESPUESTA: negativo

EJEMPLO: Un poquito escaso pero funciona , hay que seguir bien todos los pasos
RESPUESTA: positivo

EJEMPLO: Esta muy bien pero me defraudó la frontal ya que no reacciona bien la huella dactilar
RESPUESTA: neutro

EJEMPLO: No me ha gustado nada. Mucho calor dentro, resiste mal el viento, aunque no sea fuerte, los enganches se sueltan de las piquetas con facilidad. No la recomiendo.
RESPUESTA: negativo

EJEMPLO: La tapa del inodoro es bonita, pero los anclajes son una basura la tapa se gira si o si y cuando pretendes apretarla se rompe el anclaje
RESPUESTA: negativo

EJEMPLO: Diseño bonito...no se pega bien a la pantalla...las teclas laterales no funciona bien...la inferiores funcionan mal
RESPUESTA:


MODEL OUTPUT

 negative


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

EJEMPLO: La máquina No funciona correctamente no corta el pelo se atasca desde el principio, es decir, no es un producto que yo recomiende. Baja calidad no recomendable.
RESPUESTA: negativo

EJEMPLO: Va bien y es más barato que otras marcas
RESPUESTA: positivo

EJEMPLO: Para llevarlo en la autocaravana para mi yorsay
RESPUESTA: positivo

EJEMPLO: Lo compre pensando en conectar para transmisión de datos y solo sirve para cargar la batería. Para esto último es práctico. Pero si lo quieres para otra cosa no vale.
RESPUESTA: neutro

EJEMPLO: El marco cubre más del marco del reloj. O sea invade la pantalla. Siempre quedan algunas burbujas, lo he instalado 3 veces. Por último, y lo peor de todo, horrible la sensación táctil. Casi no obedece. Estoy a punto de quitarlo y comprar otro. Y eso que compre dos de este modelo.
RESPUESTA: negativo

EJEMPLO: Según la recomendación que ponía en la descripción que servia para las máquinas BOSCH así es!! Va fenomenal. De hecho compré una segunda.
RESPUESTA:


MODEL OUTPUT

 Por qué es el recomendación que tiene en la descripción que servia para las máquinas BOSCH as es!! Va fenomenal. De hecho compre una se


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

EJEMPLO: Me he quedado un tanto decepcionado con el producto. Baja estabilidad, materiales poco resistentes, sensación de poco recorrido hacen que lo pagado sea lo justo por lo recibido. Vistas las críticas de anteriores compradores me esperaba más. Aún me estoy pensando si estrenarlo o si directamente proceder a su devolución.
RESPUESTA: neutro

EJEMPLO: Lo que no me a gustado es que no traiga un folleto de información del sistema de cómo funciona
RESPUESTA: negativo

EJEMPLO: Lo compré para un regalo y será utilizado con un iPhone X. No he tenido la oportunidad de probarlo con dicho teléfono, pero puedo hablar de la excelente calidad de los materiales, es pesado, se siente firme y tiene franjas con goma tanto en la parte superior para que el teléfono no se deslice y en su parte inferior para que no se deslice sobre la superficie donde se ubica. Sólo lo he conectado para probar las luces (azules) y si colocas un dispositivo para cargar, estás parpadean muy lentamente unas 5 veces y luego se apagan definitivamente, cosa que es de agradecer si lo vas a usar en tu mesa de noche. Por ahora lo recomiendo estéticamente, luego informaré de su funcionamiento.
RESPUESTA: positivo

EJEMPLO: Producto con evidentes señales de uso
RESPUESTA: negativo

EJEMPLO: Mi valoración no es sobre el producto sino sobre AMAZON. Ofrecéis el producto a 299€ y tras varios días me devolvéis el dinero porque os habéis equivocado en el anuncio, según vosotros, ahora es 399€. Es la primera vez que me ocurre esto. Cuando he comprado en cualquier sitio y el precio marcado no se correspondía con el valor de caja siempre me lo han vendido con el precio marcado. Es inverosímil lo ocurrido, pero la ultima palabra me la dará la oficina del consumidor
RESPUESTA: negativo

EJEMPLO: Es la tercera vez que publico una opinión sobre este proyector y como la crítica es pésima parece ser que no me las han querido publicar. Me decidí a comprarlo fiándome de 3 opiniones positivas. Misteriosamente, después de escribir las dos opiniones fallidas y devolver el producto empezaron a aparecer decenas de comentarios EXCELENTES acerca de este proyector. Mi consejo es que no os fiéis de las opiniones cuando adquiráis un proyector chino.
RESPUESTA:


MODEL OUTPUT




PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

EJEMPLO: Encaja a la perfección
RESPUESTA: positivo

EJEMPLO: Después de unos meses de uso cumple su función. Materiales y acabados buenos, lo que no me gusta es que la ventana es muy oscura y cuesta ver la hora
RESPUESTA: neutro

EJEMPLO: cumple con lo estipulado
RESPUESTA: neutro

EJEMPLO: Cumplen satisfactoriamente con la función. Se pueden recortar y son gruesas. Buena relación calidad precio
RESPUESTA: positivo

EJEMPLO: Fatal!!! No funciona en inducción aunque pone que si, es un engaño!!!!!
RESPUESTA: negativo

EJEMPLO: Cumple su función a la perfección
RESPUESTA:


MODEL OUTPUT

 positive


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

EJEMPLO: Despues de 2 dias esperando la entrega ,tuve que ir a buscarlo a la central de DHL de tarragona ,pese a haber pagado gastos de envio (10 euros),y encima me encuentro con un paquete todo golpeado en el que faltan partes del embalaje de carton y el resto esta sujeto por multitud de tiras de celo gigantesco pata que no se desmonte el resto de la caja ,nefasto he hecho varias reclamaciones a la empresa de transporte y encima me encuentro el paquete en unas condiciones horrorosas con multiples golpes,espero que al menos funcione.Nada recomendable,ni el vendedor ni amazon ni por supuesto el transportista DHL.
RESPUESTA: negativo

EJEMPLO: Muy buena funda, todo perfecto!
RESPUESTA: positivo

EJEMPLO: Es cómodo de buen material y se adapta perfectamente a la Tablet. Buen diseño agradable al tacto. El trípode también es de utilidad.
RESPUESTA: positivo

EJEMPLO: Cumple su propósito aunque son bastante endebles, hay que poner prendas ligeras si no se abren por el peso.
RESPUESTA: neutro

EJEMPLO: Tiene un perfume muy agradable y duradero a la vez que discreto. Una sola barrita al día perfuma mi salón para todo el día.
RESPUESTA: positivo

EJEMPLO: Buen trípode pero la haría falta que viniera con una funda de transporte para poderlo llevar cómodamente y protegido al lugar de trabajo.
RESPUESTA:


MODEL OUTPUT

 positive


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

EJEMPLO: Es un regalo para la profesora..todo perfecto!!
RESPUESTA: positivo

EJEMPLO: Edición muy cuidada. Tiene buen sonido y me llegó muy rápido. En perfecto estado, sin ningún rasguño. A día de hoy no tengo ninguna pega. Además es muy original, destaca entre toda la colección de vinilos.
RESPUESTA: positivo

EJEMPLO: Perfecto a un precio increíble
RESPUESTA: positivo

EJEMPLO: Pedido con retraso, y lo peor es que aún no ha llegado. Se trataba de un regalo y calculé para que llegara de sobra, pero el envío no ha llegado todavía y la única solucion por parte del vendedor es que espere un poco más.
RESPUESTA: negativo

EJEMPLO: Su estabilidad es muy buena, al igual que su uso. Pesa poco y ofrece mucha seguridad. Ideal para llegar a cualquier sitio normal.
RESPUESTA: positivo

EJEMPLO: un vendedor estupendo ...me ha llegado muy rapido en perfecto estado, y encima con un regalito ... funcciona perfecto ... muchas gracias
RESPUESTA:


MODEL OUTPUT

 positive


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

EJEMPLO: No lo envían en caja. Se me deformó. Me devolvieron el dinero
RESPUESTA: negativo

EJEMPLO: Un poquito escaso pero funciona , hay que seguir bien todos los pasos
RESPUESTA: positivo

EJEMPLO: Las tintas son una basura.Solo imprime en blanco y negro y no en color.Dinero tirado.
RESPUESTA: negativo

EJEMPLO: No eran las medidas que marcaban
RESPUESTA: negativo

EJEMPLO: En las caracteristicas se indica que son tres piezas pero en el paquete solo vienen dos. No se si trata de un error o de mucho morro.
RESPUESTA: negativo

EJEMPLO: No merece la pena seguir escribiendo , no son una buena alternativa a los oficiales dinero tirado a la basura
RESPUESTA:


MODEL OUTPUT

 negative


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

EJEMPLO: Me ha gustado porque tiene una buena estructura y gran capacidad para guardar ropa, calzado...
RESPUESTA: positivo

EJEMPLO: Lo que no me a gustado es que no traiga un folleto de información del sistema de cómo funciona
RESPUESTA: negativo

EJEMPLO: El botón no funciona, con lo cual si quieres pararlo, necesitas quitarle las pilas. No lo recomiendo.
RESPUESTA: negativo

EJEMPLO: El armario está bastante bien. Pero el tema de mensajeria deja mucho que desear, aunque llego relativamente rapido (algo menos de 2 semanas), vino con varios golpes los cuales dificultan el montaje e interrumpen el cierre y apertura de puertas
RESPUESTA: neutro

EJEMPLO: ha salido con defecto, en llamadas salientes no se oye al interlocutor, lo cambie por otro igual y he tenido el mismo problema
RESPUESTA: negativo

EJEMPLO: La comodidad y el buen funcionamiento, lo que menos, que no guarde en una pequeña memoria la posicion del switch, es necesario pasa + directo.
RESPUESTA:


MODEL OUTPUT

 el comodidad y la buen funcionamiento, lo menos, que no guarde en una pequea memoria la posicion del switch, es necesario pasa + directo.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

EJEMPLO: Perfectas. Encajan perfectamente en el coche. Buena calidad del material. Las imágenes se ajustan a la realidad. Un 10. Recomendable 100%. Os ahorráis un dinero. Y mucha mejor calidad que las originales.
RESPUESTA: positivo

EJEMPLO: Molde resistente y bueno. No pesa nada. Muy práctico.
RESPUESTA: positivo

EJEMPLO: Filtran perfectamente el sol cuando conduces, si en vez de plástico fueran de cristal seria perfecto. 😎
RESPUESTA: neutro

EJEMPLO: Ha llegado la funda con un defecto/golpe. No me ha gustado encontrarme algo así. No estoy muy contento con el producto. Si algo tiene un defecto de fabrica, no debería de salir. Un saludo.
RESPUESTA: negativo

EJEMPLO: Excelente material y rapidez en el envio. Recomiendo
RESPUESTA: positivo

EJEMPLO: Regla de patchwork perfecta para medir los bloques. Buena calidad/precio. Realizada en material muy resistente. Sus medidas la hacen muy práctica
RESPUESTA:


MODEL OUTPUT

 positive EJEMPLO: Perfectes. Encajan perfectamente en el coche. Buena calidad del material. Las imágenes se ajustan a la realidad. Un 10. Recomendable 100%. Os ah


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

EJEMPLO: En poco tiempo el asa que sube y baja ya no funciona correctamente. Estoy decepcionada, ya que era para utilizar todas las semanas.
RESPUESTA: neutro

EJEMPLO: Un desastre de producto. Los globos imposibles de inchar, sin instrucciones, Valvulas imposibles y que se rompen. No lo recomiendo en absoluto.
RESPUESTA: negativo

EJEMPLO: los llaveros son de plástico finito,pero por el precio no se puede pedir más .Las pulseras tallan un poco grande para niños
RESPUESTA: neutro

EJEMPLO: Muy fácil de instalar. Además ocupa muy poco comparado con otros sistemas. El mando a distancia con el nuevo sistema tiene un alcance verdaderamente largo y muy rápida respuesta. No se calienta.
RESPUESTA: positivo

EJEMPLO: Quedan perfectas y para mi gusto sientan mejor que el modelo OS que también tengo y resulta caluroso frente a este.
RESPUESTA: positivo

EJEMPLO: Los separadores no se sujetan. O son de otro modelo o falta una pieza en el medio, un desastre ya que lo compré para utilizarlo con dos bolsas y es muy incómodo. Bastante decepcionado.
RESPUESTA:


MODEL OUTPUT

 o es de otro modelo o falta una pieza en el medio, un desastre y es muy incómodo. Bastante decepcionado.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

EJEMPLO: Muy buena calidad. Lo recomiendo.
RESPUESTA: positivo

EJEMPLO: Buen arnés, buenos materiales, bien acabado y muy cómodo para el animal, se nota que va mucho mejor, quizás un pelín aparatoso, pero es lo que conlleva el diseño del propio arnés y sus mullidos.
RESPUESTA: positivo

EJEMPLO: No le doy las 5 estrellas por q el cristal no llega a cubrir del todo ( a lo ancho) el smartphone. Lo puse varias veces y a lo ancho se queda un poco corto. Por lo demás super bien embalado.. en si cajita antigolpes... Manual de instrucciones, toallitas.. no falta detalle la verdad.. la única pega.. la q comenté anteriormente...
RESPUESTA: neutro

EJEMPLO: Después de mas de mes y medio esperando el producto, el día antes de que se cumpliera el plazo de entrega me llegó un mensaje de la empresa de que anulaba mi pedido
RESPUESTA: negativo

EJEMPLO: Después de un año de tenerlas, muy contenta. Tras varios lavados y secadoras no tiene bolitas. Muy buena calidad. Lo único que la funda de cojín es demasiado grande para mi gusto.
RESPUESTA: positivo

EJEMPLO: Lo compré para tener todos los anzuelos y accesorios. Realmente hay poco de lo que se pueda utilizar. Anzuelos muy grandes y toscos. No recomiendo este producto.
RESPUESTA:


MODEL OUTPUT

 el producto es comprar para todos los aos y accesorios. Realmente hay poco de lo que pueda utilizar. Anzuelos muy grande y toscos.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

EJEMPLO: cumple con lo estipulado
RESPUESTA: neutro

EJEMPLO: Malísimo para nadar es muy endeble de abajo el tubo no vale nada se sale mucho no puedes nadar
RESPUESTA: negativo

EJEMPLO: Son bonitos pero endebles y muy pequeños no corresponde a la foto Y el enganche estaba roto no se podían cerrar.
RESPUESTA: negativo

EJEMPLO: Me llegó roto aunque el paquete iba bien embalado. La talla no coincide con la medida.
RESPUESTA: negativo

EJEMPLO: Muy mala experiencia. Te puedes tirar la vida, intentando q se sequen. Una mierda, vamos. 🤬🤬🤬
RESPUESTA: negativo

EJEMPLO: Demasiado endebles no enganchan bien
RESPUESTA:


MODEL OUTPUT

 el enganche estaba roto aunque el paquete iba bien embalado. La talla no coincide con la medida.  RESPUESTA: negativo


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

EJEMPLO: No lo envían en caja. Se me deformó. Me devolvieron el dinero
RESPUESTA: negativo

EJEMPLO: ES EXACTAMENTE IGUAL QUE EN LA FOTO, PERO LO MALO ES QUE EN LA BASE TIENE AGUJERITOS OSEA QUE SI LO DEJAS EN LA ENCIMARA EL AGUA SE COLARA, ABRIA QUE PONER ALGO DEBAJO
RESPUESTA: neutro

EJEMPLO: Muy contento al ver la cara de mi mujeres...
RESPUESTA: neutro

EJEMPLO: Se me ha desconchado al despegar una pieza. Lo he devuelto.
RESPUESTA: negativo

EJEMPLO: Bueno en la oferta se incluían 5 piezas para soporte que no llegaron con el paquete
RESPUESTA: neutro

EJEMPLO: Débil. Se mueve mucho la base.
RESPUESTA:


MODEL OUTPUT

 el objetivo de la clasificación de texto


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

EJEMPLO: Es suave y como de poner
RESPUESTA: positivo

EJEMPLO: Para mi es complicada de usar. No pesa bien y no trae unas instrucciones claras para calibrarla bien y poder pesar con ella. No estoy contento con la compra me parece complicada de usar.
RESPUESTA: neutro

EJEMPLO: es muy pequeña y tiene poco aluminio y se a abierto un poco aluminio es muy cómoda y cabe bien la comida
RESPUESTA: neutro

EJEMPLO: En la pagina pone que se envian 2 pares y solo llega uno.
RESPUESTA: neutro

EJEMPLO: Fácil de conectar, pequeño y manejable. El sonido regular y se oye bastante flojito. No lo volvería a comprar.
RESPUESTA: neutro

EJEMPLO: Es cómoda y fácil de usar solo un poco pequeña y le falta ser impermeable
RESPUESTA:


MODEL OUTPUT

 nico EJEMPLO: nico EJEMPLO: nico EJEMPLO: nico EJEMPLO: nico EJEMPLO: nico EJEMPLO: nico EJEMPLO:


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

EJEMPLO: Está muy bien, corren y saltan detrás de ellos.
RESPUESTA: positivo

EJEMPLO: Es pequeño, silencioso y no pesa nada. Lo uso para calentar una habitación de tamaño medio y a los 10 minutos (a máxima potencia) tengo que apagarlo porque hace calor. Genial.
RESPUESTA: positivo

EJEMPLO: He tenido q valorarlo con una estrella pero no sé la merece porq no duró ni una semana,con el calor y el agua se despega y para tirarlo.
RESPUESTA: negativo

EJEMPLO: No están mal aunque son enormes, yo e cortado la parte de los aros y las puse en la parte trasera ya que sino ocupa mucho espacio.
RESPUESTA: neutro

EJEMPLO: Hola buenas, me llego el reloj el dia 11 y no funciona bien, le tocas para ver la hora o ponerlo en marcha y va cuando quiere, le tienes que dar muchisimas veces. Lo que deseo saber es como hacer la devolución y que me enviarán otro en perfecto estado. Gracias Atentamente Paqui
RESPUESTA: negativo

EJEMPLO: No es de gran tamaño, así en la mesita te caben más cosas; es muy útil ya que te dice hasta la temperatura que hace en ese momento, el día de la semana en letra y en numero, la humedad.. es perfecto y además va por pilas
RESPUESTA:


MODEL OUTPUT

 es de grande tamao, y en la mesita te caben más cosas; es muy til ya que te dice hasta la temperatura que hace en ese


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

EJEMPLO: El botón no funciona, con lo cual si quieres pararlo, necesitas quitarle las pilas. No lo recomiendo.
RESPUESTA: negativo

EJEMPLO: Molde resistente y bueno. No pesa nada. Muy práctico.
RESPUESTA: positivo

EJEMPLO: Nunca llegué a recibirlo!!!!
RESPUESTA: negativo

EJEMPLO: Las tallas ...es dificil acertar con la correcta o te aprietan mucho o te sobra...
RESPUESTA: neutro

EJEMPLO: Apenas 4 meses y ya no carga. Mucho peor que la batería original
RESPUESTA: negativo

EJEMPLO: Las planté pero no creció nada!
RESPUESTA:


MODEL OUTPUT

 negative


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

EJEMPLO: No eran las medidas que marcaban
RESPUESTA: negativo

EJEMPLO: Quedan perfectas y para mi gusto sientan mejor que el modelo OS que también tengo y resulta caluroso frente a este.
RESPUESTA: positivo

EJEMPLO: Ha venido con el cerdito suelto y limado en ciertas zonas, la caja obviamente rota. Si lo quieres para exponer, exige mayor cuidado a la hora de la compra.
RESPUESTA: neutro

EJEMPLO: Para el colegio son perfectos.Duran mucho tiempo.Llegaron antes de tiempo.
RESPUESTA: positivo

EJEMPLO: Està bien para el precio que tiene
RESPUESTA: neutro

EJEMPLO: Perfecto para la medida del cajon
RESPUESTA:


MODEL OUTPUT

 positive


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

EJEMPLO: Me ha gustado mucho el producto. El diseño y calidad muy buenos. El pedido llegó muy rapido. Me ha encantado
RESPUESTA: positivo

EJEMPLO: Calidad y buen precio
RESPUESTA: neutro

EJEMPLO: Queda un poco holgada para una cama de 150, no se ajusta del todo. El blanco no es que sea muy blanco y estas sábanas de Amazon Basics tienen todas mucha electricidad estática, recomiendo lavarlas antes de ponerlas, si no, producen muchas chispas.
RESPUESTA: neutro

EJEMPLO: Estoy muy contenta. Lo conecto cuando salgo del trabajo y al llegar a casa ya está caliente. También lo puedes programar, hora de encendido, apagado, grados. Te dice también en el móvil a cuantos grados está tu casa. Yo lo recomiendo 100%
RESPUESTA: positivo

EJEMPLO: Llegó en su tiempo. Por el precio no está mal pero me esperaba otra cosa.
RESPUESTA: negativo

EJEMPLO: Calidad la justa, a mi sobrino le ha encantado por eso, se lo lleva a todas partes. Lo he encontrado en el chino de al lado de casa por un precio similar 15€
RESPUESTA:


MODEL OUTPUT

 en el móvil de lado de casa por un precio similar 15 €


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

EJEMPLO: Es una plancha, por el centro cocina y por los lados no.No la compréis la
RESPUESTA: negativo

EJEMPLO: El envio correcto, el empaquetado correcto pero para su precio esperaba algo mas grande con eso no me llega ni para una pierna lo siento muy pequeño
RESPUESTA: neutro

EJEMPLO: Cumple con lo indicado
RESPUESTA: positivo

EJEMPLO: Funciona bien, pero a veces apretando se suelta.
RESPUESTA: neutro

EJEMPLO: EL PRODUCTO ES LO QUE QUERIA .PERO CON QUIEN ESTOY ENCANTADA ES CON LA TIENDA EN LA QUE LO COMPRE. ME ATENDIERON DOS CHICOS SUPER AGRADABLES Y QUE ME SOLUCIONARON TODAS MIS DUDAS Y ME FACILITARON TODAS LAS GESTIONES DE ENTREGA Y REPOSICION DE OTRO MOVIL PORQUE EL PRIMERO AL HACER ACTUALIZACION SE ESTROPEO.
RESPUESTA: positivo

EJEMPLO: La plancha funciona bien pero no me parece correcto que en el anuncio se indique una potencia muy superior a la que realmente tiene, esta última indicada en la propia plancha.
RESPUESTA:


MODEL OUTPUT

 el plancha funciona bien, pero no me parece correcto que en el anuncio se indique una potencia muy superior a la que realmente tiene, esta ltima indicada en la prop


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

EJEMPLO: SIEMPRE LO COMPRO, PERO LO MALO ES EL PRECIO, MUY CARO Y CADA VEZ LO SUBEN MAS DE PRECIO CUANDO SON UNAS PEGATINAS. NO OBSTANTE, HACEN SU USO, PERO SOLO POR UNOS DIAS ESCASOS... AUN ASI ES UNA NOVEDAD
RESPUESTA: neutro

EJEMPLO: Las tallas ...es dificil acertar con la correcta o te aprietan mucho o te sobra...
RESPUESTA: neutro

EJEMPLO: No lo envían en caja. Se me deformó. Me devolvieron el dinero
RESPUESTA: negativo

EJEMPLO: no ha durado ni un mes, cuando le pones la pila, en la pantalla pone cargando, y no hace nada mas.
RESPUESTA: negativo

EJEMPLO: Parece que protege bien, pero lo he devuelto porque no se apoya de manera estable. Queda demasiado vertical y es fácil que se caiga.
RESPUESTA: negativo

EJEMPLO: Pues el pantalón es muy corriente, pero x el precio no puedes pedir más. La talla un disparate enano. En lugar de devolverlo me ofrecieron enviar otro. Aún no ha llegado así q...
RESPUESTA:


MODEL OUTPUT

 no ha llegado an q


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

EJEMPLO: Està bien para el precio que tiene
RESPUESTA: neutro

EJEMPLO: Para el colegio son perfectos.Duran mucho tiempo.Llegaron antes de tiempo.
RESPUESTA: positivo

EJEMPLO: Tiene un tono amarillo
RESPUESTA: neutro

EJEMPLO: Su precio al que lo coji bastante bueno
RESPUESTA: positivo

EJEMPLO: Era para otra persona y me dice que van bien. Más tarde vimos que se pueden conseguir más baratos en tiendas.
RESPUESTA: neutro

EJEMPLO: Ahorro con respecto al precio en tiendas
RESPUESTA:


MODEL OUTPUT

 neutro


PARSE RESULT

 ['neutro']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

EJEMPLO: Es una maravilla nos ha llegado super rapido y mis hijos estan encantados construyendo toda clase de cosas,me parece un juego muy didactico y que les ayuda a pensar y desarrollar su creatividad, en mi caso buscaba algo asi y he acertado Los materiales son muy buenos
RESPUESTA: positivo

EJEMPLO: Me leí el libro de la chica del semáforo y el hombre del coche y me encantó, desde mi punto de vista este libro sobraba un poco, tiene muchísimas erratas que se deberían corregir, lo dicho este libro no es necesario leerlo
RESPUESTA: negativo

EJEMPLO: Me encanta para el bebe muy practico lo recomiendo 100%
RESPUESTA: positivo

EJEMPLO: El sol la endureció y se rasgó toda en cuanto la movió un poco el viento, no recomendable.
RESPUESTA: negativo

EJEMPLO: Mala calidad, solo funciona la mitad, nada recomendable
RESPUESTA: neutro

EJEMPLO: El libro es corto, entretenido y con buenos ejemplos. Muy practico para conocer el metodo y aplicarlo rapidamente. Muu recomendable
RESPUESTA:


MODEL OUTPUT

 el libro es corto, entretenido y con buenos ejemplos. Muy practico para conocer el metodo y aplicarlo rapidamente. Muy recomendable


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

EJEMPLO: Llego una semana despues de lo.acordado y encima me lo quieren cobrar mada huevos,
RESPUESTA: negativo

EJEMPLO: De las seis compradas, una me llegó así. Roto el cristal de raíz. No se bien donde escribir para la devolución o sustitucion de solo una de las seis, por eso escribo por aquí. Un saludo. Todo lo demás correcto, el resto funcionando perfectamente.
RESPUESTA: neutro

EJEMPLO: Pedido con retraso, y lo peor es que aún no ha llegado. Se trataba de un regalo y calculé para que llegara de sobra, pero el envío no ha llegado todavía y la única solucion por parte del vendedor es que espere un poco más.
RESPUESTA: negativo

EJEMPLO: Nunca llegué a recibirlo!!!!
RESPUESTA: negativo

EJEMPLO: Queda muy bien y te protege el reloj
RESPUESTA: positivo

EJEMPLO: Llegó con una semana de retraso,lo demás todo bien
RESPUESTA:


MODEL OUTPUT

 el regalo y calculé para que llegara de sobra, pero el envo no ha llegado todo lo más.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

EJEMPLO: Mi hija está encantada , con 6 años tiene las uñas pequeñas todavía y le quedan muy justas las calcomanías pero ella está encantada
RESPUESTA: positivo

EJEMPLO: Està bien para el precio que tiene
RESPUESTA: neutro

EJEMPLO: Está muy bien, corren y saltan detrás de ellos.
RESPUESTA: positivo

EJEMPLO: Ha llegado la caratula un poco rajada. Por lo demás todo bien.
RESPUESTA: neutro

EJEMPLO: La parte de abajo no está mal pero el sujetador de copa me va bien pero las cintas para atarlo son muy largas
RESPUESTA: negativo

EJEMPLO: Está muy bien a mí hijo le encantó
RESPUESTA:


MODEL OUTPUT

 positive


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Por favor argumenta tu respuesta paso a paso, explica por qué crees que está justificada tu elección final, y asegúrate de que acabas tu explicación con el nombre de la clase que has escogido como la correcta, en minúscula y sin puntuación. En tu respuesta incluye sólo el nombre de la clase, como una única palabra, en minúscula, sin puntuación, y sin añadir ninguna otra afirmación o palabra.

EJEMPLO: Vienen un montón de cosas, como el cortahilos que me encanta , para empezar a bordar está muy bien. Los hilos no parecen de mala calidad, y hay muchos colores
RESPUESTA: positivo

EJEMPLO: La compré porque tenía la original que me quedaba grande. Ésta me queda perfecta y me encanta el color. Llevo con ella ya tiempo y sigue como el primer día.
RESPUESTA: positivo

EJEMPLO: Son los mismos colores, son botes pequeños perfectos para un mejor trazado. Al ser esmaltes de gel necesitarás una lámpara de luz UV/LED pero son perfectos para darles un toque de brillo a la manicura.
RESPUESTA: positivo

EJEMPLO: El color rojo va genial para las ojeras aguanta todo el día. Y el verde para tapar las rojeces me encantan
RESPUESTA: positivo

EJEMPLO: Es agradable y protege. Ya lo sabemos que la proteccion es así pero este año no me he quemado y tengo algo de color
RESPUESTA: positivo

EJEMPLO: El color es el que esperaba aunque la calidad y el remate es muy normalito
RESPUESTA:


MODEL OUTPUT

 color


PARSE RESULT

 ['']
[72]:
sns.heatmap(confusion_matrix(test_targets, pred_targets), annot=True, cmap="Blues")
[72]:
<Axes: >
../_images/notebooks_04_test_flant5_classification_prompts_60_1.png

Prueba 2#

[73]:
prompt = """
TEMPLATE:
    "Necesito que me ayudes en una tarea de clasificación de texto.
    {__PROMPT_DOMAIN__}
    {__PROMPT_LABELS__}

    {__CHAIN_THOUGHT__}
    {__ANSWER_FORMAT__}"


PROMPT_DOMAIN:
    "Los textos que vas procesar del ambito de {__DOMAIN__}."


PROMPT_LABELS:
    "Quiero que me clasifiques los textos una de las siguientes categorías:
    {__LABELS__}."


PROMPT_DETAIL:
    ""


CHAIN_THOUGHT:
    "Argumenta tu respuesta paso a paso."


ANSWER_FORMAT:
    "En tu respuesta incluye sólo el nombre de la clase, como una única
    respuesta"
"""
[74]:
import seaborn as sns
from sklearn.metrics import confusion_matrix
from promptmeteo import DocumentClassifier

model = DocumentClassifier(
    language="es",
    model_name="google/flan-t5-small",
    model_provider_name="hf_pipeline",
    prompt_domain="opiniones de productos",
    prompt_labels=["positivo", "negativo", "neutro"],
    selector_k=5,
    verbose=True,
)

model.task.prompt.read_prompt(prompt)

model.train(
    examples=train_reviews,
    annotations=train_targets,
)

pred_targets = model.predict(test_reviews)
Token indices sequence length is longer than the specified maximum sequence length for this model (726 > 512). Running this sequence through the model will result in indexing errors
/opt/conda/lib/python3.10/site-packages/transformers/generation/utils.py:1270: UserWarning: You have modified the pretrained model configuration to control generation. This is a deprecated strategy to control generation and will be removed soon, in a future version. Please use a generation configuration file (see https://huggingface.co/docs/transformers/main_classes/text_generation )
  warnings.warn(


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

EJEMPLO: Era un regalo y la verdad que esta dando la talla que deseaba!! Facil de utilización y muy creativo.
RESPUESTA: positivo

EJEMPLO: A los 3-4 dias dd haber llegado el telefono, la camara trasera dejo de funcionar. Me puse en contacto con ellos para tramitar un cambio, pero me pedian que devolviera este primero y luego ellos me mandaban otro, por lo que me quedaba sin movil, creo que lo mas conveniente es igual que viene el mensajero a traerme uno nuevo, a ma vez que se lleve el estropeado... no me podia quedar sin movil ya que solo tengo este y lo necesito. A dia de hoy todavía ando con el movil sin camara trasera... un desastre. NO LO RECOMIENDO PARA NADA!
RESPUESTA: negativo

EJEMPLO: Está bien para el precio que tiene, no sirve para llevar cosas frías, el tamaño es un poco justo, caben dos tuppers pequeños y una lata
RESPUESTA: neutro

EJEMPLO: Tuve uno de la marca Kong y lo rompió en dos días, este es mas “duro” y resistente y vuela un poco más. Encantado con la compra
RESPUESTA: positivo

EJEMPLO: bien te lo traen a casa y listo a funcionar
RESPUESTA: neutro

EJEMPLO: Fue un regalo para mi madre que usa la moto a diario y esta encantada con ellas, además de ser bastante resistentes, tienen más de un año y están muy bien.
RESPUESTA:


MODEL OUTPUT

 positive EJEMPLO: Fue unregalo para mi madre que usa la moto a diario y esta encantada conellas, además de ser bastante resistentes, tienen más de un a


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

EJEMPLO: Aparentemente tiene muy buena calidad y un gran precio para venir tres protectores. Ningún problema a nivel táctil muy transparente, del tamaño exacto para la pantalla. Sin embargo, el primero no fui capaz de que se adhiriera a la pantalla (quedaba despegado la mitad); pensé que era mi inexperiencia. El segundo quedó ya mejor, pero aún y todo, no adherido del todo. Y ahí ya no es por exceso de confianza. Gracias a que uso una funda tipo libro la pantalla no queda expuesta y he reservado el tercer protector para más adelante.
RESPUESTA: neutro

EJEMPLO: El cristal le va pequeño a la pantalla, por los lados sobra un monton así que no lo cubre por completo, uno de los 2 cristales que iban en el paquete llevaba como una mota de polvo de fabrica insalvable. No lo recomiendo.
RESPUESTA: negativo

EJEMPLO: La facil instalacion y la calidad del mismo
RESPUESTA: positivo

EJEMPLO: Un desastre de producto. Los globos imposibles de inchar, sin instrucciones, Valvulas imposibles y que se rompen. No lo recomiendo en absoluto.
RESPUESTA: negativo

EJEMPLO: Cumple su propósito aunque son bastante endebles, hay que poner prendas ligeras si no se abren por el peso.
RESPUESTA: neutro

EJEMPLO: Son dos pantallas protectoras bastante fáciles de instalar. Vienen en una cajita muy elegante con un montón de complementos e instrucciones sencillas para que puedas instalarlas con suma facilidad. No se ensucian mucho y aguantan bastante.
RESPUESTA:


MODEL OUTPUT

 No se ensucian mucho y aguantan bastante.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

EJEMPLO: De momento me está encantando. Con un poquito cunde mucho. Ilumina y nutre el rostro.
RESPUESTA: positivo

EJEMPLO: No cubre toda la pantalla. La margen negra tapa la laterales como un medio mm.
RESPUESTA: negativo

EJEMPLO: No le doy las 5 estrellas por q el cristal no llega a cubrir del todo ( a lo ancho) el smartphone. Lo puse varias veces y a lo ancho se queda un poco corto. Por lo demás super bien embalado.. en si cajita antigolpes... Manual de instrucciones, toallitas.. no falta detalle la verdad.. la única pega.. la q comenté anteriormente...
RESPUESTA: neutro

EJEMPLO: La tapa del inodoro es bonita, pero los anclajes son una basura la tapa se gira si o si y cuando pretendes apretarla se rompe el anclaje
RESPUESTA: negativo

EJEMPLO: Muy caros luego los he estado viendo 2euros iguales y la misma marca .se han pasado con el margen de beneficio
RESPUESTA: neutro

EJEMPLO: No sé si aportará todas las propiedades que anuncia, pero como ducha aumenta la presión y las tres variantes de chorro son agradables. Y refresca. Satisfecho.
RESPUESTA:


MODEL OUTPUT

 No sé si aportará todas las propiedades que anuncia, pero como ducha aumentará la presión y las tres variantes de chorro son agradables.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

EJEMPLO: Sirve, pero no tiene mucha calidad
RESPUESTA: neutro

EJEMPLO: Gran Altavoz. Buen sonido, buenos graves, buen volumen...
RESPUESTA: positivo

EJEMPLO: Para el colegio son perfectos.Duran mucho tiempo.Llegaron antes de tiempo.
RESPUESTA: positivo

EJEMPLO: No eran las medidas que marcaban
RESPUESTA: negativo

EJEMPLO: Bueno en la oferta se incluían 5 piezas para soporte que no llegaron con el paquete
RESPUESTA: neutro

EJEMPLO: No tiene mucha potencia
RESPUESTA:


MODEL OUTPUT

 neutro


PARSE RESULT

 ['neutro']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

EJEMPLO: la tela no es la que esperaba
RESPUESTA: neutro

EJEMPLO: El manual llegó con algunas manchas en las juntas de las páginas. Por lo demás todo perfecto.
RESPUESTA: neutro

EJEMPLO: Todavía no he tenido tiempo de probarlo, a tener en cuenta que no lleva pilas, hay que comprarlas , son de las pequeñas no de las de boton sino de las otras.
RESPUESTA: neutro

EJEMPLO: Es un disfraz que solo entra la parte de arriba del traje, viene con una máscara d látex gruesa que viene toda doblada y deforme. Pero eso no es lo peor, lo peor es que el traje cuesta 45€ y deberían de darte 45€ por ponértelo, por que es un espanto para el precio que tiene, una tela pésima, como un traje de carnaval del bazar oriental de 6€. Y lo de la talla única... uña persona que tenga una complexión algo fuerte, no le estaría bien. De verdad, es un traje que no vale en absoluto el dinero que cuesta. A si es que nada más verlo, se fue de vuelta.
RESPUESTA: negativo

EJEMPLO: La poca cantidad que venía en el sobre no da para ver resultados
RESPUESTA: negativo

EJEMPLO: No trae ruedas, no de puede llegar, la tela de mancha fácilmente
RESPUESTA:


MODEL OUTPUT

 es una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las sigui


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

EJEMPLO: Llegó en el plazo indicado
RESPUESTA: positivo

EJEMPLO: Muy caros luego los he estado viendo 2euros iguales y la misma marca .se han pasado con el margen de beneficio
RESPUESTA: neutro

EJEMPLO: En poco tiempo el asa que sube y baja ya no funciona correctamente. Estoy decepcionada, ya que era para utilizar todas las semanas.
RESPUESTA: neutro

EJEMPLO: No me llegó lo que pedí y me vino incompleto
RESPUESTA: negativo

EJEMPLO: El marco cubre más del marco del reloj. O sea invade la pantalla. Siempre quedan algunas burbujas, lo he instalado 3 veces. Por último, y lo peor de todo, horrible la sensación táctil. Casi no obedece. Estoy a punto de quitarlo y comprar otro. Y eso que compre dos de este modelo.
RESPUESTA: negativo

EJEMPLO: El juego estar genial, no importa tanto el hecho de que sea de segunda mano, pero el problema es que me llegó incompleto, sin el cd de banda sonora ni las pegatinas.
RESPUESTA:


MODEL OUTPUT

 El juego estar genial, no importa tanto el hecho de que está de segunda mano, pero el problema es que me llegó incompleto, sin el cd de banda sonor


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

EJEMPLO: No he recibido el pedido. me han hecho un reembolso por el valor de los articulos pedidos.
RESPUESTA: negativo

EJEMPLO: El articulo ha venido golpeado. El vendedor solo dice que dará conocimiento a la agencia de transporte. Nos toca quedarnos con el articulo en MAL ESTADO
RESPUESTA: negativo

EJEMPLO: El articulo parece que venia usado...mal embalado y medio abierta la caja interior....
RESPUESTA: neutro

EJEMPLO: Malisimas. Las he tenido que tirar. El cierre se deforma ademas han venido super sucias.
RESPUESTA: negativo

EJEMPLO: Todo correcto, recibido en el plazo establecido, precio razonable c c c f c c c c c c f
RESPUESTA: positivo

EJEMPLO: Aún no he recibido el artículo
RESPUESTA:


MODEL OUTPUT

 no he recibido el pedido. me han hecho un reembolso por el valor de los articulos pedidos.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

EJEMPLO: Para el precio que tienen, bastante bien van. No tiene manera de apagarlos o encenderlos si no es conectando/desconectando el cable.
RESPUESTA: neutro

EJEMPLO: Magnífico cable recibe la señal perfectamente.
RESPUESTA: positivo

EJEMPLO: Me he quedado un tanto decepcionado con el producto. Baja estabilidad, materiales poco resistentes, sensación de poco recorrido hacen que lo pagado sea lo justo por lo recibido. Vistas las críticas de anteriores compradores me esperaba más. Aún me estoy pensando si estrenarlo o si directamente proceder a su devolución.
RESPUESTA: neutro

EJEMPLO: Todo correcto, Muy recomendable. Buena opción para tener cables de reserva. Envio rapidisimo! Excelente relación calidad/precio. Recomendable para la empresa y en casa.
RESPUESTA: positivo

EJEMPLO: Ha venido con el cerdito suelto y limado en ciertas zonas, la caja obviamente rota. Si lo quieres para exponer, exige mayor cuidado a la hora de la compra.
RESPUESTA: neutro

EJEMPLO: Estética buena, pero de momento siguen atacando los bichos. Si fuera sin cable sería mejor para llevar cerca de las zonas de descanso
RESPUESTA:


MODEL OUTPUT

 ltimo es el tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos un


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

EJEMPLO: No me ha gustado nada porque parece un libro de un niño pequeño, portada bonita pero cuando lo abres... no lo volvería a comprar nunca.
RESPUESTA: negativo

EJEMPLO: La dirección donde quieres enfocar la cámara, hay que moverla con la mano. Es tan endeble que con 6 meses que tiene la mía, ya se ha roto, y según como la enfoque, la imagen no se ve. Dinero tirado a la basura
RESPUESTA: negativo

EJEMPLO: Solo me llegó una pieza cuando el pedido era de 6
RESPUESTA: negativo

EJEMPLO: Es bastante simple y no trae muchas cosas pero más completo que otros que he visto más caros. Para el precio está bien.
RESPUESTA: neutro

EJEMPLO: Su estabilidad es muy buena, al igual que su uso. Pesa poco y ofrece mucha seguridad. Ideal para llegar a cualquier sitio normal.
RESPUESTA: positivo

EJEMPLO: Normal. Pensaba ke seria mas gordita. Pero no, no es lo ke buscaba pero me apañare por ahora. Un 6 justito
RESPUESTA:


MODEL OUTPUT

 es el tejido de seria mas gordita.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

EJEMPLO: Pedido con retraso, y lo peor es que aún no ha llegado. Se trataba de un regalo y calculé para que llegara de sobra, pero el envío no ha llegado todavía y la única solucion por parte del vendedor es que espere un poco más.
RESPUESTA: negativo

EJEMPLO: No ha llegado a aún....
RESPUESTA: negativo

EJEMPLO: Siempre he comprado WD y no me defrauda. Desafortunadamente no puedo decir lo mismo cuando he comprado otras marcas
RESPUESTA: positivo

EJEMPLO: Llegó en el plazo indicado
RESPUESTA: positivo

EJEMPLO: Al principio buen sonido y fácil de usar, pero en 4 meses se bloquea y no reacciona, cuando se acaba la batería funciona bien, pero se vuelve s bloquear. He procedido a su devolución
RESPUESTA: neutro

EJEMPLO: A alguien le ha llegado? A mí me mandaron un mensaje k me llega el lunes pero.....he visto k desde k lo pedí han modificado la descripción y creo k si llega no será el britax b emotion 4 k llevo pidiendo desde hace meses.
RESPUESTA:


MODEL OUTPUT

 a m me mandaron un mensaje k me llega el lunes pero.....he visto k desde k lo ped han modificado la descripción y creo k si


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

EJEMPLO: Lo compré para un regalo y será utilizado con un iPhone X. No he tenido la oportunidad de probarlo con dicho teléfono, pero puedo hablar de la excelente calidad de los materiales, es pesado, se siente firme y tiene franjas con goma tanto en la parte superior para que el teléfono no se deslice y en su parte inferior para que no se deslice sobre la superficie donde se ubica. Sólo lo he conectado para probar las luces (azules) y si colocas un dispositivo para cargar, estás parpadean muy lentamente unas 5 veces y luego se apagan definitivamente, cosa que es de agradecer si lo vas a usar en tu mesa de noche. Por ahora lo recomiendo estéticamente, luego informaré de su funcionamiento.
RESPUESTA: positivo

EJEMPLO: Estaria bien que fuese mas largo el hueco pars que no se quede tsn colgado el pints labios. Cumple su funcion si no tienes mucho dinero.
RESPUESTA: neutro

EJEMPLO: Buenos materiales. Gran sonido. Sin problemas de conexión con ningún dispositivo Bluetooth que he probado. Los leds le dan un toque chic.
RESPUESTA: neutro

EJEMPLO: Pues me dejé guiar por las buenas opiniones y al final ha sido un triunfazo!! a todos en casa les ha encantado. Fácil de instalar. Todo en él es metálico lo que le da robustez. He probado un poco el sonido y bueno no hay color de grabar con este micrófono a uno de auriculares que usaba antes, lo que si aconsejo que no lo pongais muy cerca de la torre del ordenador y más si es antigua porque por muy bueno que sea el micro milagros no hace jeje Viene con un usb que por ejemplo yo lo usaré para ponerlo en el portatil y poder conectarle el microfono y unos auriculares y así poder editar con él.
RESPUESTA: positivo

EJEMPLO: la tela no es la que esperaba
RESPUESTA: neutro

EJEMPLO: No sé quién puede estar interesado en semejante producto. Casi ninguna de las funciones funcionan. Lo que funciona es la calculadora,el reproductor de música, lo de contar los pasos y poco más. No sirve para nada poder mandar SMS, que cuestan dinero y nadie utiliza casi para nada, si no puedes utilizar el whatsapp, que es lo que todos tenemos y necesitamos. Ni whatsapp ni facebook, ni nada se puede usar. El reloj necesitaría otra tarjeta SIM para hacer llamadas sin conectarse al teléfono por bluetooth pero eso significa que te cobrarán unos cuatro euros más en tu operador de telefonia cada mes. El bluetooth es malísimo y no llega ni a unos centímetros, con lo cual no me llegaba ni de la muñeca hasta los cascos de las orejas. Para correr y escuchar música y mirar la hora...te durará media hora y eso con suerte y si tienes la suerte de que te llegue la señal a tus cascos desde el brazo. Muy muy muy decepcionada con este producto. Devuelto al día siguiente. Una tomadura de pelo.
RESPUESTA:


MODEL OUTPUT

 El reloj necesitara otra tarjeta SIM para hacer llamadas sin conectarse al teléfono por bluetooth pero eso significa que te cobrarán unos cuatro euros


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

EJEMPLO: Un desastre de producto. Los globos imposibles de inchar, sin instrucciones, Valvulas imposibles y que se rompen. No lo recomiendo en absoluto.
RESPUESTA: negativo

EJEMPLO: No es lo que esperaba. Buscaba un aspirador y no un filtro, pues con éste necesito adicionalmente un aspirador lo que lo hace incomodísimo de utilizar de forma habitual
RESPUESTA: negativo

EJEMPLO: Fatal!!! No funciona en inducción aunque pone que si, es un engaño!!!!!
RESPUESTA: negativo

EJEMPLO: Compré dos y los dos dejaron de funcionar a los 5 minutos. Además emite un pitido bastante molesto. Una decepción con el producto.
RESPUESTA: negativo

EJEMPLO: Es una maravilla nos ha llegado super rapido y mis hijos estan encantados construyendo toda clase de cosas,me parece un juego muy didactico y que les ayuda a pensar y desarrollar su creatividad, en mi caso buscaba algo asi y he acertado Los materiales son muy buenos
RESPUESTA: positivo

EJEMPLO: No sirve para vitrocerámicas de inducción y la compramos porque el vendedor en el anuncio asegura que si
RESPUESTA:


MODEL OUTPUT

 es una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las sigui


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

EJEMPLO: la tela no es la que esperaba
RESPUESTA: neutro

EJEMPLO: En realidad no es muy ligero, pero tampoco es algo que incomode por el grosor que aporta al móvil.
RESPUESTA: neutro

EJEMPLO: A los 5 días Sr rompió en la unión de las dos partes
RESPUESTA: negativo

EJEMPLO: Esta bien, es fino, queda mas grande de lo que se indica en el tallaje. El gorro también es grande.
RESPUESTA: neutro

EJEMPLO: A los pocos meses se ha puesto negra. No es plata
RESPUESTA: negativo

EJEMPLO: No es lo que esperaba no luce los metros que dice el vendedor
RESPUESTA:


MODEL OUTPUT

 no


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

EJEMPLO: Es agradable y protege. Ya lo sabemos que la proteccion es así pero este año no me he quemado y tengo algo de color
RESPUESTA: positivo

EJEMPLO: A mi hija la ha encantado. Viene además 2 hojas con pegatinas de estrellas, círculos y formas pequeñas en color rojo y plata y se lo ha pasado genial pintando y pegándolas.
RESPUESTA: positivo

EJEMPLO: Mi hija esta en un campamento y nos pidieron que llevara unos rotuladores acrilicos para hacer distintas manualidades, pintar en tazas, piedras...etc. Esta super contenta con los rotuladores porque los colores son muy bonitos y pintan bien. Todo un acierto
RESPUESTA: positivo

EJEMPLO: Me gusta porque da un tono de color a la salita tipo cine ya que puede poner los tonos mas suaves o mas fuertes,son algo mas de 75cm y los mios rodean la tele como se ve en la foto,lo unico que veo un poco flojo es la cinta de pegar que no se lo que aguantara
RESPUESTA: positivo

EJEMPLO: Vienen un montón de cosas, como el cortahilos que me encanta , para empezar a bordar está muy bien. Los hilos no parecen de mala calidad, y hay muchos colores
RESPUESTA: positivo

EJEMPLO: Tengo todas las perchas iguales y este pedido me ha venido en un color mas sucio y verdoso que el marfil normal. No es color marfil como ponen en la descripcion. Y el terciopelo es mas gordo que las otras de color marfil que se ven de mejor calidad.
RESPUESTA:


MODEL OUTPUT

 te te te te te te te te te te te te te te te te te te te te te


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

EJEMPLO: El unico problema que tiene es que los hielos son un poco pequeños y que la tapa no queda bien sujeta.
RESPUESTA: positivo

EJEMPLO: El material no es de muy buena calidad. el pedido tardo mucho ,no estoy muy contento con esta compra,no lo recomiendo
RESPUESTA: negativo

EJEMPLO: Edición muy cuidada. Tiene buen sonido y me llegó muy rápido. En perfecto estado, sin ningún rasguño. A día de hoy no tengo ninguna pega. Además es muy original, destaca entre toda la colección de vinilos.
RESPUESTA: positivo

EJEMPLO: Desde que lo monte lo he usado varias veces y de momento todo bien, El montaje es muy facil. Buen producto.
RESPUESTA: positivo

EJEMPLO: No me gusta nada de nada....pero es lo que quiere mi hija. Lo espera con ilusión....así que....bueno. Me parece un juguete muy caro para lo que es.
RESPUESTA: negativo

EJEMPLO: Lo pasamos muy bien jugando a tirar bloques de hielo. Lo único que pongo en contra son los materiales. Son de poca calidad pero cumplen su función. No se nos ha roto
RESPUESTA:


MODEL OUTPUT

 no hay roto


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

EJEMPLO: No lo recomiendo!!! envío fue rápido .. pero muñeca tiene un ojito mal pintada ..estoy muy decepcionada con la compra deberían revisar los envíos antes de empaquetarlos
RESPUESTA: negativo

EJEMPLO: Me llegó roto aunque el paquete iba bien embalado. La talla no coincide con la medida.
RESPUESTA: negativo

EJEMPLO: Es lo que buscaba, además viene en milímetros y no en centímetros.
RESPUESTA: positivo

EJEMPLO: Buena succión de aire. Lo usé para sustituir el que tenía con las mismas medidas
RESPUESTA: neutro

EJEMPLO: El producto y su propia caja en el que viene empaquetado los botes es bueno, pero la caja del envío del trasporte es horrible. La caja del transporte llego completamente rota. De tal manera que los botes me los entregaron por un lado y la caja por otro. El transporte era de SEUR, muy mal.
RESPUESTA: neutro

EJEMPLO: Muy buena compra. Envió rápido como siempre y el neumático lo que buscaba. Para los que quieran balón grande tendrán que cojer la medida 2.25
RESPUESTA:


MODEL OUTPUT

 por qué es el medida más veces en milmetros y en centmetros.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

EJEMPLO: Perfecto a un precio increíble
RESPUESTA: positivo

EJEMPLO: Ha venido con el cerdito suelto y limado en ciertas zonas, la caja obviamente rota. Si lo quieres para exponer, exige mayor cuidado a la hora de la compra.
RESPUESTA: neutro

EJEMPLO: Diseño poco innovador
RESPUESTA: neutro

EJEMPLO: La cámara me llegó en perfecto estado, con todos los complementos, pero la puse las pilas la encendí y parecía ir todo bien, la apagué, y ya no volvió a encender. La voy a devolver y ya pedí otra nueva. Espero q esta última funcione bien...
RESPUESTA: negativo

EJEMPLO: Para el colegio son perfectos.Duran mucho tiempo.Llegaron antes de tiempo.
RESPUESTA: positivo

EJEMPLO: Perfecto para personas mayores
RESPUESTA:


MODEL OUTPUT

 perfecto para personas mayores


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

EJEMPLO: Apenas 4 meses y ya no carga. Mucho peor que la batería original
RESPUESTA: negativo

EJEMPLO: Práctica pero le falta que el suelo sea rígido.
RESPUESTA: neutro

EJEMPLO: El arte del juego es precioso. La historia merece ser vista al menos. La edición coleccionista, a ese precio, y con este juego, merece salir de camino a casa de cualquier jugon.
RESPUESTA: positivo

EJEMPLO: EL AJUSTE A LA BARANDILLA ES MUY GRANDE EN LA POSICION MINIMA
RESPUESTA: neutro

EJEMPLO: Tuve uno de la marca Kong y lo rompió en dos días, este es mas “duro” y resistente y vuela un poco más. Encantado con la compra
RESPUESTA: positivo

EJEMPLO: Una pena que la duración de la batería sea escasa
RESPUESTA:


MODEL OUTPUT

 a nica tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las sigui


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

EJEMPLO: El producto y su propia caja en el que viene empaquetado los botes es bueno, pero la caja del envío del trasporte es horrible. La caja del transporte llego completamente rota. De tal manera que los botes me los entregaron por un lado y la caja por otro. El transporte era de SEUR, muy mal.
RESPUESTA: neutro

EJEMPLO: Resistente y con una batería muy duradera Ideal para trabajar en talleres. Un teléfono mediano de características técnicas a un precio muy bueno
RESPUESTA: positivo

EJEMPLO: Esta buen, queda bien en el ordenador lo deja muy protegido pero la calidad del plástico se ve que no es muy buena y que en sí no parece madera de verdad ni anda cerca de parecerlo. También tengo que decir que la carcasa que me vino es diferente a la de la foto esta es más clarita.
RESPUESTA: neutro

EJEMPLO: Bien, en cuanto a que cubre perfectamente prácticamente toda la pantalla, encajando casi a la perfección en todos los agujeros, pero...quedan reflejos tipo espejo, habrá personas que esto no les suponga ninguna molestia, pero para mi es bastante molesto, una lástima porque por lo demás está muy bien, pero esto último para mi es determinante, el anterior no cubría tan bien pero no reflejaba de esta manera, siendo más cómodo para la vista.
RESPUESTA: neutro

EJEMPLO: Es tal y lo que te pone en la descripción, sin más, aunque la apertura de la basura, con el pedal, me da la impresión que se romperá dentro de no mucho tiempo, ya que se abre muy de golpe, aunque lo presiones suavemente.
RESPUESTA: neutro

EJEMPLO: Encaja perfectamente y cubre todo el teléfono, no se desliza y es muy limpia, la única pega es que el plástico es muy duro y los botones de los laterales están cubiertos y tienes que hacer mucha fuerza para pulsarlos. Otra cosa que no me acaba de convencer es el dibujo interior que debería ser completamente liso.
RESPUESTA:


MODEL OUTPUT

  Another thing I do not agree with is the interior that should be completely liso.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

EJEMPLO: Funciona bien pero se nota que la calidad no es la de la original.
RESPUESTA: neutro

EJEMPLO: Muy bonitos pero bastante pequeños. Precio elevado. Más de ocho euros
RESPUESTA: neutro

EJEMPLO: El recambio es igual a las originales, compramos este modelo porque para mi gusto, limpian mejor que las que solo son redondas. Ajusta perfecto al cepillo Oral-B y tienes recambios para olvidarte de ellos durante muchisimo tiempo!
RESPUESTA: positivo

EJEMPLO: Todo correcto, recibido en el plazo establecido, precio razonable c c c f c c c c c c f
RESPUESTA: positivo

EJEMPLO: Esta bien eso si el producto no tiene el diámetro que indican no es de 41 si no de 36
RESPUESTA: neutro

EJEMPLO: compré los originales bmw y me costaron 50 euros, estos son identicos a los originales, limpia bien medidas perfectas facil d instalar, durabilidad no lo se llevan poco tiempo
RESPUESTA:


MODEL OUTPUT

 compre los originales bmw y me costaron 50 euros, estos son identicos a los originales, limpia bien medidas perfectas facil d instalar, durabilidad no lo se llevan poco tiempo


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

EJEMPLO: Es muy pequeña y tardó bastante en llegar. Pienso que es una pieza más para aire que para agua. El paso es muy pequeño.
RESPUESTA: neutro

EJEMPLO: Mala calidad, solo funciona la mitad, nada recomendable
RESPUESTA: neutro

EJEMPLO: Es cómodo de buen material y se adapta perfectamente a la Tablet. Buen diseño agradable al tacto. El trípode también es de utilidad.
RESPUESTA: positivo

EJEMPLO: Rápido y confiable, muy recomendable.
RESPUESTA: positivo

EJEMPLO: bien te lo traen a casa y listo a funcionar
RESPUESTA: neutro

EJEMPLO: Es bastante bonita y se ajusta bastante bien al tlf muy muy recomendable
RESPUESTA:


MODEL OUTPUT

 br>


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

EJEMPLO: No ha durado ni un año y medio practicamente sin uso...
RESPUESTA: negativo

EJEMPLO: Después de mas de mes y medio esperando el producto, el día antes de que se cumpliera el plazo de entrega me llegó un mensaje de la empresa de que anulaba mi pedido
RESPUESTA: negativo

EJEMPLO: Muy fino, abriga poco
RESPUESTA: neutro

EJEMPLO: No pesa, no abulta, no se mueve. Me parece perfecto. Para una micro cuatro tercios, es perfecto. Si lo recomiendo.
RESPUESTA: positivo

EJEMPLO: Sirve, pero no tiene mucha calidad
RESPUESTA: neutro

EJEMPLO: pero este me salió malo...
RESPUESTA:


MODEL OUTPUT

 negative


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

EJEMPLO: Muy bonitos pero bastante pequeños. Precio elevado. Más de ocho euros
RESPUESTA: neutro

EJEMPLO: Despues de 2 dias esperando la entrega ,tuve que ir a buscarlo a la central de DHL de tarragona ,pese a haber pagado gastos de envio (10 euros),y encima me encuentro con un paquete todo golpeado en el que faltan partes del embalaje de carton y el resto esta sujeto por multitud de tiras de celo gigantesco pata que no se desmonte el resto de la caja ,nefasto he hecho varias reclamaciones a la empresa de transporte y encima me encuentro el paquete en unas condiciones horrorosas con multiples golpes,espero que al menos funcione.Nada recomendable,ni el vendedor ni amazon ni por supuesto el transportista DHL.
RESPUESTA: negativo

EJEMPLO: no ha durado ni un mes, cuando le pones la pila, en la pantalla pone cargando, y no hace nada mas.
RESPUESTA: negativo

EJEMPLO: És un aparato que calidad precio no se puede pedir nada más, no tiene sorpresa,és un aparato sencillo
RESPUESTA: neutro

EJEMPLO: En su línea, la verdad. Acción hasta el final, mujeres apasionantes, hombres enamorados y mucha acción. La verdad es que engancha desde el principio.
RESPUESTA: positivo

EJEMPLO: aunque en el anuncio pone precio final luego al pagar te cobran el transporte.
RESPUESTA:


MODEL OUTPUT

 el ao final es el pagar te cobran el transporte.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

EJEMPLO: Es justo lo que buscaba ni más ni menos y además es como la que tenía de hace ya años.
RESPUESTA: positivo

EJEMPLO: El reloj está bien, se ve muy bien la hora, tiene buen diseño, los plásticos no parecen muy malos, para el precio que tiene estaría muy bien excepto sino fuera por un detalle. La hebilla sobresale mucho, se me clava en la muñeca y eso que lo he llevado bastante suelto.
RESPUESTA: neutro

EJEMPLO: Me ha gustado porque tiene una buena estructura y gran capacidad para guardar ropa, calzado...
RESPUESTA: positivo

EJEMPLO: El envio correcto, el empaquetado correcto pero para su precio esperaba algo mas grande con eso no me llega ni para una pierna lo siento muy pequeño
RESPUESTA: neutro

EJEMPLO: Está muy bien, corren y saltan detrás de ellos.
RESPUESTA: positivo

EJEMPLO: Lo compre estando embarazada y la verdad k no sabria decir si funciona o no pk tuve la suerte de no salirme estrias. Aunk tengo amigas k lo usaron y les salieron estrias igual y tampoco es k se las mejorase. No se si lo recomendaria. Lo bueno k huele bien y no mancha la ropa.
RESPUESTA:


MODEL OUTPUT

 ltimo es el ao de acuerdo y la verdad k ne sabria decir si funciona o no pk tuve la suerte de no salirme


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

EJEMPLO: Estuche para flauta muy cómodo. Muy buenos acabados. Esta marca ofrece productos de muy buena calidad.
RESPUESTA: positivo

EJEMPLO: Es lo que buscaba, además viene en milímetros y no en centímetros.
RESPUESTA: positivo

EJEMPLO: Se me ha desconchado al despegar una pieza. Lo he devuelto.
RESPUESTA: negativo

EJEMPLO: Muy buen producto. Viene con pilas para la luz. Muy estable y practico. La verdad es que lo recomiendo totalmente
RESPUESTA: positivo

EJEMPLO: Es bastante rígido, aunque le falta peso para una pegada dura.Muy buen material.
RESPUESTA: neutro

EJEMPLO: Efecto frío combinado con mentol. Lubrica bastante bien aunque no dura demasiado (base acuosa). Buen lubricante para probar efecto frio con buen sabor :D. Tampoco he probado otros para poder comparar pero calidad-precio buena. 3/5
RESPUESTA:


MODEL OUTPUT

 3/5


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

EJEMPLO: Ya en la primera carga no duró ni dos horas
RESPUESTA: negativo

EJEMPLO: Quedan perfectas y para mi gusto sientan mejor que el modelo OS que también tengo y resulta caluroso frente a este.
RESPUESTA: positivo

EJEMPLO: No me gusta nada de nada....pero es lo que quiere mi hija. Lo espera con ilusión....así que....bueno. Me parece un juguete muy caro para lo que es.
RESPUESTA: negativo

EJEMPLO: No me ha llegado el producto. Fecha prevista 9 marzo. Figura como enviado. No sé que ha podido pasar. Gracias
RESPUESTA: negativo

EJEMPLO: Era para otra persona y me dice que van bien. Más tarde vimos que se pueden conseguir más baratos en tiendas.
RESPUESTA: neutro

EJEMPLO: No me valen para mí Honda y se vendo como que si
RESPUESTA:


MODEL OUTPUT

 el mercado es aqu es aqu es aqu es aqu es aqu es aqu es aqu es aqu


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

EJEMPLO: Entretenido pero preguntas muy difíciles para los niños y los que no son tan niños
RESPUESTA: neutro

EJEMPLO: Muy buena relación calidad precio aparentemente, habrá que utilizarlos para saber si el resultado es bueno a largo plazo , esperaremos
RESPUESTA: positivo

EJEMPLO: De facil lectura es una interesante propuesta de actividades para que en especial los niños disfruten de un verano lleno de originales actividades que le hagan crecer divirtiéndose. También interesante propuesta para nosotros los adultos para conectar con ese niño que llevamos dentro.
RESPUESTA: positivo

EJEMPLO: Muy buen altas. Fue un regalo para una niña de 9 años y le gustó mucho
RESPUESTA: positivo

EJEMPLO: Con un bebé de dos meses la verdad es que me ayuda mucho cuando le dejo en la hamaca con el sonido de las olas y las bolitas que cuelgan , parece que no pero realmente se entretiene hasta que llega a dormirse
RESPUESTA: positivo

EJEMPLO: Buenas actividades para niño de 4 años
RESPUESTA:


MODEL OUTPUT

 positive


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

EJEMPLO: Aún no lo he probado. Algo malo es que vienen las instrucciones en inglés y nada en español.
RESPUESTA: neutro

EJEMPLO: No me ha gustado nada porque parece un libro de un niño pequeño, portada bonita pero cuando lo abres... no lo volvería a comprar nunca.
RESPUESTA: negativo

EJEMPLO: Le había dado cinco estrellas y una opinión muy positiva, el aparato funcionó bien mientras funcionó, el problema es que funcionó poco tiempo. Hoy, apenas tres meses después de adquirirlo, he ido a encenderlo y en lugar de arrancar se ha quedado parado. Unos segundos más tarde ha soltado un chispazo y ahí se ha quedado. No se le ha dado ningún golpe, ni se ha usado para nada distinto a su finalidad, así que la única explicación lógica es que viniera defectuoso de fábrica. Amazon me va a reembolsar el importe en garantía en cuanto lo devuelva, así que por ese lado no tengo queja.
RESPUESTA: negativo

EJEMPLO: Compre este vapeador para un amigo y es perfecto pero a las primeras de uso ya estaba goteando y le a perdido mucho líquido. 2 botes en un día. Voy a tener que devolverlo.
RESPUESTA: negativo

EJEMPLO: A los pocos meses se ha puesto negra. No es plata
RESPUESTA: negativo

EJEMPLO: no lo volvería a comprar, no le he encontrado ninguna utilidad, no es lo que esperaba, yo diría que no funciona, quizá sea inutilidad mía pero lo cierto es que no he conseguido utilizarlo, dinero perdido
RESPUESTA:


MODEL OUTPUT

 eso lo ocurrió a comprar, no lo encontrado ningn utilidad, no lo lo esperaba, yo dira que no funciona, quizá ser inutilidad ma,


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

EJEMPLO: Funciona bien pero se nota que la calidad no es la de la original.
RESPUESTA: neutro

EJEMPLO: Comoda, y de buena calidad, recomendada
RESPUESTA: positivo

EJEMPLO: Es un buen cinturón, estoy contento con el, se le ve de buen material y funciona de manera perfecta, contento.
RESPUESTA: positivo

EJEMPLO: Muy buena relación calidad precio aparentemente, habrá que utilizarlos para saber si el resultado es bueno a largo plazo , esperaremos
RESPUESTA: positivo

EJEMPLO: El material no es de muy buena calidad. el pedido tardo mucho ,no estoy muy contento con esta compra,no lo recomiendo
RESPUESTA: negativo

EJEMPLO: Muy buena calidad, despues de hacer la reparacion queda como si fuera original, muy contento.
RESPUESTA:


MODEL OUTPUT

 positive


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

EJEMPLO: Muy buena calidad. Lo recomiendo.
RESPUESTA: positivo

EJEMPLO: He probado el manómetro y no aguanta con la presión para compararla, la va perdiendo poco a poco, y no es igual que otros manómetros.
RESPUESTA: neutro

EJEMPLO: El armario está bastante bien. Pero el tema de mensajeria deja mucho que desear, aunque llego relativamente rapido (algo menos de 2 semanas), vino con varios golpes los cuales dificultan el montaje e interrumpen el cierre y apertura de puertas
RESPUESTA: neutro

EJEMPLO: El reloj está bien, se ve muy bien la hora, tiene buen diseño, los plásticos no parecen muy malos, para el precio que tiene estaría muy bien excepto sino fuera por un detalle. La hebilla sobresale mucho, se me clava en la muñeca y eso que lo he llevado bastante suelto.
RESPUESTA: neutro

EJEMPLO: Envío rápido pero la bolsa viene sin caja ( en otras tiendas online viene mejor empaquetado) y por consecuencia la bolsa tenía varios puntos con agujeros... La comida está en buen estado pero ya no te da la misma confianza. Fecha de caducidad correcta.
RESPUESTA: neutro

EJEMPLO: El abrigo cumple, es caliente , tiene para las manos, es un buen articulo, por poner pega los hombros sobresalen un poco demás
RESPUESTA:


MODEL OUTPUT

 El abrigo cumple, es caliente , tiene para las manos, es un buen articulo, por poner pega los hombros sobresalen un poco demás


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

EJEMPLO: Después de unos meses de uso cumple su función. Materiales y acabados buenos, lo que no me gusta es que la ventana es muy oscura y cuesta ver la hora
RESPUESTA: neutro

EJEMPLO: Pegan muy bien a la base con el velcro, las he usado con madera y para pulir resina epoxi y van de lujo, compré tambien la base del taladro, la engancho a la mesa y a trabajar.
RESPUESTA: positivo

EJEMPLO: Tiene el tubo muy pequeño, no sirve ni para botellas de 1 Litro. Viene empaquetado doblado lo cual facilita que se rompan los cables interiores del tubo. Un desastre y vale mucho más el envio que el producto en si.
RESPUESTA: negativo

EJEMPLO: Es cómodo de buen material y se adapta perfectamente a la Tablet. Buen diseño agradable al tacto. El trípode también es de utilidad.
RESPUESTA: positivo

EJEMPLO: La calidad no es muy buena. A la primera puesta le han salido un montón de bolas y me ha dejado el colchón lleno de pelusas como se puede ver en la foto adjunta. Además, los laterales no viene con costura. No lo recomiendo.
RESPUESTA: negativo

EJEMPLO: Es bonito y el acabado de las tablas está bien (mejor que muchos de IKEA). No ocurre lo mismo con el de las varillas, que se raya con mirarlo y ya venía algo tocado del roce en la caja. El problema es que la varilla donde cuelgan las perchas, si son de metal, con seguridad lo va a desconchar. El montaje normal, al estilo IKEA, con instrucciones claras y herramientas necesarias. Con el uso iremos viendo el agua te de la rosca de los tornillos.
RESPUESTA:


MODEL OUTPUT

 el acabado de los tablas está bien (mejor que muchos de IKEA). No ocurre lo mismo con el de las varillas, que se raya con mirarlo y ya


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

EJEMPLO: Poco serio no me llegado nada... vivo una dirección única todos los datos bien puestos buzón único por más que me pongo en contacto no me contesta para darme una explicación
RESPUESTA: negativo

EJEMPLO: una funda para ordenador de buena calidad y que, aun su uso, no se estropea con facilidad. Vale la pena hacer esta compra.
RESPUESTA: positivo

EJEMPLO: Para empezar, si el tiempo de envío es largo, el producto se retrasa por problema de aduanas. Solicitó la devolución, ya que es para un regalo y ante la tardanza han adquirido una prenda similar en otro sitio. Amazon me pone en contacto con el vendedor, el cual no facilita la devolución. Mientras tanto recibo el paquete y cuál es mi sorpresa que el artículo q me envían es un bolso negro, una especie de portafolios pero que nada tiene que ver con el sujetador de lactancia que encargue. Sigo en contacto con el vendedor, que aún sigue sin darme ninguna solución.
RESPUESTA: negativo

EJEMPLO: Mejor de lo que esperaba, tiene buena capacidad y queda perfecto. Es más grande de lo que esperaba. Por fin el vidrio está ordenado.
RESPUESTA: positivo

EJEMPLO: Es muy pequeña y tardó bastante en llegar. Pienso que es una pieza más para aire que para agua. El paso es muy pequeño.
RESPUESTA: neutro

EJEMPLO: Estoy muy decepcionado con el vendedor ya que el pedido no me llegó a tiempo y no cumplió los plazos de envío y era una cosa que necesitaba urgente. Para colmo me pongo en contacto con el vendedor y no da señales. No recomiendo nada
RESPUESTA:


MODEL OUTPUT

 vivo una dirección nico todos los datos bien puestos buzón nico por más que me pongo en contacto no me contesta para darme una explicación


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

EJEMPLO: Tuve que devolver el producto porque llegó averiado, no se encendía. Afortunadamente el servicio de devolución de AMAZON funcionó perfectamente.
RESPUESTA: negativo

EJEMPLO: Todo perfecto,lo unica malo es que el transportista forzo el DVD para entrarlo en el buzon y no pico el timbre estando yo en casa.
RESPUESTA: positivo

EJEMPLO: Sirve para ir por rectas pero si coges una curva del circuito se sale el 100%de las veces por lo que lo tienes que poner con las manos. Esto hace que te aburras. No lo recomiendo.
RESPUESTA: neutro

EJEMPLO: Era un regalo para unos amigos. Al parecer se ajusta perfectamente a lo que necesitaban
RESPUESTA: neutro

EJEMPLO: no me llego el pedido
RESPUESTA: negativo

EJEMPLO: lo cogí en el outlet de amazón , me vino lleno de pelusa o pelos , y con la caja de un philips, lo devolví al segundo
RESPUESTA:


MODEL OUTPUT

 el adolescente EJEMPLO: o es en el adolescente , y en el adolescente , y en el adolescent


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

EJEMPLO: Me ha gustado mucho el producto. El diseño y calidad muy buenos. El pedido llegó muy rapido. Me ha encantado
RESPUESTA: positivo

EJEMPLO: Calidad y buen precio
RESPUESTA: neutro

EJEMPLO: Comoda, y de buena calidad, recomendada
RESPUESTA: positivo

EJEMPLO: Mala calidad, solo funciona la mitad, nada recomendable
RESPUESTA: neutro

EJEMPLO: Calidad increíble, sabor muy intenso. Se nota que es un producto natural... Merece la pena pagar lo que vale. Muy satisfecho.
RESPUESTA: positivo

EJEMPLO: Producto de buena calidad
RESPUESTA:


MODEL OUTPUT

 positive


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

EJEMPLO: Tuve que devolver el producto porque llegó averiado, no se encendía. Afortunadamente el servicio de devolución de AMAZON funcionó perfectamente.
RESPUESTA: negativo

EJEMPLO: UNA DE LAS PESTAÑAS DE LA CAJA VINO ROTA. POR LO DEMÁS BIEN, ES IGUAL QUE EN LAS FOTOS.POR EL PRECIO NO SE PUEDE PEDIR MAS
RESPUESTA: neutro

EJEMPLO: Es muy pequeña y tardó bastante en llegar. Pienso que es una pieza más para aire que para agua. El paso es muy pequeño.
RESPUESTA: neutro

EJEMPLO: El producto y su propia caja en el que viene empaquetado los botes es bueno, pero la caja del envío del trasporte es horrible. La caja del transporte llego completamente rota. De tal manera que los botes me los entregaron por un lado y la caja por otro. El transporte era de SEUR, muy mal.
RESPUESTA: neutro

EJEMPLO: El sol la endureció y se rasgó toda en cuanto la movió un poco el viento, no recomendable.
RESPUESTA: negativo

EJEMPLO: Encaja perfectamente. Vergonzoso la manera en que lo entregan. La caja rota por varios sitios y abierta por los dos lados. Algo impropio de Amazon.
RESPUESTA:


MODEL OUTPUT

 Amazon.com


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

EJEMPLO: Muy buen producto. Viene con pilas para la luz. Muy estable y practico. La verdad es que lo recomiendo totalmente
RESPUESTA: positivo

EJEMPLO: Lo compré para un regalo y será utilizado con un iPhone X. No he tenido la oportunidad de probarlo con dicho teléfono, pero puedo hablar de la excelente calidad de los materiales, es pesado, se siente firme y tiene franjas con goma tanto en la parte superior para que el teléfono no se deslice y en su parte inferior para que no se deslice sobre la superficie donde se ubica. Sólo lo he conectado para probar las luces (azules) y si colocas un dispositivo para cargar, estás parpadean muy lentamente unas 5 veces y luego se apagan definitivamente, cosa que es de agradecer si lo vas a usar en tu mesa de noche. Por ahora lo recomiendo estéticamente, luego informaré de su funcionamiento.
RESPUESTA: positivo

EJEMPLO: Es bonito, yo lo quería para una sección de fotos de embarazada y quedo bien
RESPUESTA: neutro

EJEMPLO: Me hubiera gustado que se vea por la noche con otro tipo de iluminación. No tengo claro que sea muy preciso.
RESPUESTA: neutro

EJEMPLO: Vienen un montón de cosas, como el cortahilos que me encanta , para empezar a bordar está muy bien. Los hilos no parecen de mala calidad, y hay muchos colores
RESPUESTA: positivo

EJEMPLO: Esta bien el producto sobre todo teniendo en cuenta la relacción calidad/precio. Yo lo uso para hacer arreglillos en casa cuando corto la luz o para zonas oscuras. Para esto esta genial, te libera las manos y puedes trabajar. Realmente vale para mucho mas, ya que tiene 2 intensidades de luz, intermitencias y luz roja atras. Como fallo diré que no me gusta que las pilar recargables no sean de un tamaño estandar. Es decir, son mucho mas grandes que las pilas normales y si algún dia se estropean desconozco si se podrán encontrar facilmente. Espero que duren muchos años. Como se ve en la foto, el producto biene muy completo.
RESPUESTA:


MODEL OUTPUT

 el producto sobre todo teniendo en cuenta la relación calidad/price. Yo lo uso para hacer arreglillos en casa cuando corto la luz o para zonas o


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

EJEMPLO: Tuve que devolver dos porque no me los reconocía la impresora
RESPUESTA: negativo

EJEMPLO: En una primera instancia llego defectuoso, pero me lo cambiaron sin problema y funciona bien.
RESPUESTA: neutro

EJEMPLO: Tuve que devolver el producto porque llegó averiado, no se encendía. Afortunadamente el servicio de devolución de AMAZON funcionó perfectamente.
RESPUESTA: negativo

EJEMPLO: En poco tiempo el asa que sube y baja ya no funciona correctamente. Estoy decepcionada, ya que era para utilizar todas las semanas.
RESPUESTA: neutro

EJEMPLO: Al principio buen sonido y fácil de usar, pero en 4 meses se bloquea y no reacciona, cuando se acaba la batería funciona bien, pero se vuelve s bloquear. He procedido a su devolución
RESPUESTA: neutro

EJEMPLO: No funcionaba, lo tuve que devolver, no se si era problema de la placa o del mecanismo, la devolución todo correctamente.
RESPUESTA:


MODEL OUTPUT

 no funcionaba, lo tuve que devolver, no se si era problema de la placa o del mecanismo, la devolución todo correctamente.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

EJEMPLO: Funciona bien, pero a veces apretando se suelta.
RESPUESTA: neutro

EJEMPLO: Hice pan y la verdad es que va muy bien!
RESPUESTA: positivo

EJEMPLO: Está bien para el precio que tiene, no sirve para llevar cosas frías, el tamaño es un poco justo, caben dos tuppers pequeños y una lata
RESPUESTA: neutro

EJEMPLO: Esta bien, es fino, queda mas grande de lo que se indica en el tallaje. El gorro también es grande.
RESPUESTA: neutro

EJEMPLO: Todavía no me se me ha ingresado dinero e. El Banco
RESPUESTA: negativo

EJEMPLO: Se ve bien el grabado
RESPUESTA:


MODEL OUTPUT

 es bien el grabado


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

EJEMPLO: Es muí bonito igual que en la. Foto gracias
RESPUESTA: positivo

EJEMPLO: Tened en cuenta las medidas porque es muy pequeña. Yo tuve que devolverla porque en un salón de 4m2 se veía ridícula. Pero la lámpara es bonita y de buena calidad.
RESPUESTA: negativo

EJEMPLO: Era un regalo y la verdad que esta dando la talla que deseaba!! Facil de utilización y muy creativo.
RESPUESTA: positivo

EJEMPLO: La dirección donde quieres enfocar la cámara, hay que moverla con la mano. Es tan endeble que con 6 meses que tiene la mía, ya se ha roto, y según como la enfoque, la imagen no se ve. Dinero tirado a la basura
RESPUESTA: negativo

EJEMPLO: La calidad no es muy buena. A la primera puesta le han salido un montón de bolas y me ha dejado el colchón lleno de pelusas como se puede ver en la foto adjunta. Además, los laterales no viene con costura. No lo recomiendo.
RESPUESTA: negativo

EJEMPLO: No recomiendo su compra... no se parece a la foto... muy mala resolución
RESPUESTA:


MODEL OUTPUT

 negative EJEMPLO: No recomendo su compra... no parece a la foto... very mala resolución


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

EJEMPLO: Es lo peor que comprado para mi movil ha durado un mes y de repente deja de cargar no compreis baterias en este vendedor es lo peor
RESPUESTA: negativo

EJEMPLO: No funciona lo he devuelto, no hace nada
RESPUESTA: negativo

EJEMPLO: Cumplen satisfactoriamente con la función. Se pueden recortar y son gruesas. Buena relación calidad precio
RESPUESTA: positivo

EJEMPLO: No existe una App que la haga funcionar. Solo funciona con el mando y tienes que estar bajo la bombilla para que reaccione. Luminosidad bastante baja.
RESPUESTA: negativo

EJEMPLO: ha salido con defecto, en llamadas salientes no se oye al interlocutor, lo cambie por otro igual y he tenido el mismo problema
RESPUESTA: negativo

EJEMPLO: En menos de un mes ya han dejado de funcionar. Primero se descarga la bateria aun sin uso, y ahora es que ni siquiera carga. He solicitado la garantia, y espero que al menos respondan pronto. Me los devuelven supuestamente arreglado el problema pero la realidad es que siguen exactamente igual, sin funcionar. Vuelta a empezar con la garantía
RESPUESTA:


MODEL OUTPUT

 Vuelta a empezar con la garanta


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

EJEMPLO: No pesa, no abulta, no se mueve. Me parece perfecto. Para una micro cuatro tercios, es perfecto. Si lo recomiendo.
RESPUESTA: positivo

EJEMPLO: El manual llegó con algunas manchas en las juntas de las páginas. Por lo demás todo perfecto.
RESPUESTA: neutro

EJEMPLO: La cámara me llegó en perfecto estado, con todos los complementos, pero la puse las pilas la encendí y parecía ir todo bien, la apagué, y ya no volvió a encender. La voy a devolver y ya pedí otra nueva. Espero q esta última funcione bien...
RESPUESTA: negativo

EJEMPLO: El botón no funciona, con lo cual si quieres pararlo, necesitas quitarle las pilas. No lo recomiendo.
RESPUESTA: negativo

EJEMPLO: tal y como lo imaginaba, ligero , con la altura que indicaba en el paquete, y super elegante !! GRACIAS
RESPUESTA: positivo

EJEMPLO: El papel sigue siendo papel. Actualizado. Perfecto. Y no necesita pilas
RESPUESTA:


MODEL OUTPUT

 el papel sigue siendo papel. Actualizado. Perfecto. Y no necesita pilas


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

EJEMPLO: Funciona perfectamente para unos repetidores que tengo.
RESPUESTA: positivo

EJEMPLO: Tenía un disco duro de 80 GB procedente de un portátil que tiré y me daba pena tirarlo. Compré esta carcasa, bien barata, y ahora tendo un USB de 80 GB. Como digo: Perfecto y barato.
RESPUESTA: positivo

EJEMPLO: Lo compre pensando en conectar para transmisión de datos y solo sirve para cargar la batería. Para esto último es práctico. Pero si lo quieres para otra cosa no vale.
RESPUESTA: neutro

EJEMPLO: El marco cubre más del marco del reloj. O sea invade la pantalla. Siempre quedan algunas burbujas, lo he instalado 3 veces. Por último, y lo peor de todo, horrible la sensación táctil. Casi no obedece. Estoy a punto de quitarlo y comprar otro. Y eso que compre dos de este modelo.
RESPUESTA: negativo

EJEMPLO: Después de unos meses de uso cumple su función. Materiales y acabados buenos, lo que no me gusta es que la ventana es muy oscura y cuesta ver la hora
RESPUESTA: neutro

EJEMPLO: Funciona perfectamente. Tengo un terreno para regar de unos 80m2, y llega a rodas partes, hasta detras de unos setos
RESPUESTA:


MODEL OUTPUT

 I have a terraza para regar de unos 80m2, y llega a rodas partes, until a further set


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

EJEMPLO: Tened en cuenta las medidas porque es muy pequeña. Yo tuve que devolverla porque en un salón de 4m2 se veía ridícula. Pero la lámpara es bonita y de buena calidad.
RESPUESTA: negativo

EJEMPLO: Llego en el tiempo previsto
RESPUESTA: neutro

EJEMPLO: Hice pan y la verdad es que va muy bien!
RESPUESTA: positivo

EJEMPLO: Edición muy cuidada. Tiene buen sonido y me llegó muy rápido. En perfecto estado, sin ningún rasguño. A día de hoy no tengo ninguna pega. Además es muy original, destaca entre toda la colección de vinilos.
RESPUESTA: positivo

EJEMPLO: Tiene un perfume muy agradable y duradero a la vez que discreto. Una sola barrita al día perfuma mi salón para todo el día.
RESPUESTA: positivo

EJEMPLO: No me llegó todavía el mueble del salón.. No corresponde los días previstos de envio,y sin saber cuándo llegará .
RESPUESTA:


MODEL OUTPUT

 no corresponde los das previstos de envio,y sin saber cuándo llegará .


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

EJEMPLO: Llego en el tiempo previsto
RESPUESTA: neutro

EJEMPLO: tal y como lo imaginaba, ligero , con la altura que indicaba en el paquete, y super elegante !! GRACIAS
RESPUESTA: positivo

EJEMPLO: Buenos guantes, calentitos, quizás un poco pequeños, pero yo tengo manos grandes. Al quedarme pequeños y estirarlos un poco, se ha roto el encaje.
RESPUESTA: neutro

EJEMPLO: Queda muy bien y te protege el reloj
RESPUESTA: positivo

EJEMPLO: Buen precio para la gran capacidad que tiene. No tiene ruido y es totalmente manejable.
RESPUESTA: positivo

EJEMPLO: Tiene poco potencia tienes que darle tres veces al máximo para que seque
RESPUESTA:


MODEL OUTPUT

 te es poco potencia te darle tres veces al máximo para que se el es


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

EJEMPLO: Trapecio sobre todo para interior por la calidad de las cuerdas. En exterior no sé si será muy resistente. En casa da mucho juego y es un entretenimiento estupendo para la gente menuda. Aguanta mucho peso
RESPUESTA: positivo

EJEMPLO: Eran los zapatos que queria a un precio competitivo, lastima que las entregaran tarde, a pesar de la entrega garantizada en tal fecha...
RESPUESTA: neutro

EJEMPLO: Esta bien, es fino, queda mas grande de lo que se indica en el tallaje. El gorro también es grande.
RESPUESTA: neutro

EJEMPLO: Calidad increíble, sabor muy intenso. Se nota que es un producto natural... Merece la pena pagar lo que vale. Muy satisfecho.
RESPUESTA: positivo

EJEMPLO: Es pequeño, silencioso y no pesa nada. Lo uso para calentar una habitación de tamaño medio y a los 10 minutos (a máxima potencia) tengo que apagarlo porque hace calor. Genial.
RESPUESTA: positivo

EJEMPLO: La zapatilla es muy bonita, su apariencia es buena. La parte interior es bastante floja no se le ve calidad. No la encuentro cómoda, quizás sea mi culpa ya que pedí el número que habitualmente calzo en deportivas y me queda amplio. Lo intenté solucionar con una buena plantilla, pero aun así, me resulta incómodo. Si volviese a comprarlo pediría una talla menos.
RESPUESTA:


MODEL OUTPUT

 if you want to buy a tallaje, you can go to the store and buy a tallaje.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

EJEMPLO: Muy buena calidad. Lo recomiendo.
RESPUESTA: positivo

EJEMPLO: La tapa del inodoro es bonita, pero los anclajes son una basura la tapa se gira si o si y cuando pretendes apretarla se rompe el anclaje
RESPUESTA: negativo

EJEMPLO: Era un regalo para unos amigos. Al parecer se ajusta perfectamente a lo que necesitaban
RESPUESTA: neutro

EJEMPLO: Me ha llegado bien pero al abrirlo observo que falta el adaptador tipo C que indica el anuncio. Confío que me lo envien
RESPUESTA: neutro

EJEMPLO: bien te lo traen a casa y listo a funcionar
RESPUESTA: neutro

EJEMPLO: Todo correcto y acordé a lo anunciado
RESPUESTA:


MODEL OUTPUT

 No need to me ayudes en una tarea de clasificación de texto. The text that vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los texto


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

EJEMPLO: En 2 semanas está completamente roto. Comenzó con una raya y ahora está roto por todas partes. Además de pequeño. No lo recomiendo
RESPUESTA: negativo

EJEMPLO: Venia roto es de muy mala calidad
RESPUESTA: negativo

EJEMPLO: El protector de pantalla llegó un poco roto.
RESPUESTA: neutro

EJEMPLO: Rápido envío superfacil instalación pero a la primera caída se ha roto y despegado.
RESPUESTA: neutro

EJEMPLO: A mí no me las ha dejado muy limpias...o no se usarlo bien o no es tan efectivo como dicen.
RESPUESTA: neutro

EJEMPLO: A venido rota. Venia bien envuelta pero al abrirla estaba rota. Y plastico malo.
RESPUESTA:


MODEL OUTPUT

 y plastico malo.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

EJEMPLO: Me encanto. Ya los he comprado varias veces.
RESPUESTA: positivo

EJEMPLO: El unico problema que tiene es que los hielos son un poco pequeños y que la tapa no queda bien sujeta.
RESPUESTA: positivo

EJEMPLO: A los 3-4 dias dd haber llegado el telefono, la camara trasera dejo de funcionar. Me puse en contacto con ellos para tramitar un cambio, pero me pedian que devolviera este primero y luego ellos me mandaban otro, por lo que me quedaba sin movil, creo que lo mas conveniente es igual que viene el mensajero a traerme uno nuevo, a ma vez que se lleve el estropeado... no me podia quedar sin movil ya que solo tengo este y lo necesito. A dia de hoy todavía ando con el movil sin camara trasera... un desastre. NO LO RECOMIENDO PARA NADA!
RESPUESTA: negativo

EJEMPLO: Es muy pequeña y tardó bastante en llegar. Pienso que es una pieza más para aire que para agua. El paso es muy pequeño.
RESPUESTA: neutro

EJEMPLO: Me ha gustado porque tiene una buena estructura y gran capacidad para guardar ropa, calzado...
RESPUESTA: positivo

EJEMPLO: Me las compre para atarla con un hilo a las gafas de proteccion, Porque cuando necesitas los tapones nunca los encuentras, Pero no lo he echo porque me gustan mas las de esponja son mas comodas y aislan mejor.
RESPUESTA:


MODEL OUTPUT

 el esforzamos de acerca de protección, porque cuando necesitas los encuentras nunca los encuentras, pero no lo he echo porque el esponja es mas


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

EJEMPLO: Es una plancha, por el centro cocina y por los lados no.No la compréis la
RESPUESTA: negativo

EJEMPLO: Estaba buscando unos cuchillos de carne que me durasen para muchísimo tiempo sin importarme gastar un poco más. A veces es mejor no comprar barato. Estos cuchillos van a sustituir a unos antiguos que tenía que aunque hacían bien su función se me fueron estropeando porque el mango era de plástico y de tanto lavado se fue estropeando esta parte. A primera vista ya se aprecia que son de muy buena calidad por los materiales con los que están fabricados. A destacar también el envoltorio ya que son perfectos para regalar. Muy buena compra.
RESPUESTA: positivo

EJEMPLO: Muy practico.Pero cuando hay sol no ves absolutamente nada.Las pulsaciones tampoco las marca bien.Pero por el precio no se puede pedir mas
RESPUESTA: neutro

EJEMPLO: En las caracteristicas se indica que son tres piezas pero en el paquete solo vienen dos. No se si trata de un error o de mucho morro.
RESPUESTA: negativo

EJEMPLO: Ha llegado la caratula un poco rajada. Por lo demás todo bien.
RESPUESTA: neutro

EJEMPLO: Se rompió la pieza de plástico central donde se enrollan las cuerdas a los tres años. Por lo demás bien
RESPUESTA:


MODEL OUTPUT

 rompió la pieza de plástico central donde se enrollan las cuerdas a los tres aos.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

EJEMPLO: Después de unos meses de uso cumple su función. Materiales y acabados buenos, lo que no me gusta es que la ventana es muy oscura y cuesta ver la hora
RESPUESTA: neutro

EJEMPLO: Encaja a la perfección
RESPUESTA: positivo

EJEMPLO: Gran Altavoz. Buen sonido, buenos graves, buen volumen...
RESPUESTA: positivo

EJEMPLO: No es que brillen un monton pero estan bien
RESPUESTA: neutro

EJEMPLO: Fatal!!! No funciona en inducción aunque pone que si, es un engaño!!!!!
RESPUESTA: negativo

EJEMPLO: Yo le puse unas ventosas más grandes porque lleva no aguantan con juguetes
RESPUESTA:


MODEL OUTPUT

 y yo puse unas ventosas más grande porque lleva no agua con juguetes


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

EJEMPLO: EL PRODUCTO ES LO QUE QUERIA .PERO CON QUIEN ESTOY ENCANTADA ES CON LA TIENDA EN LA QUE LO COMPRE. ME ATENDIERON DOS CHICOS SUPER AGRADABLES Y QUE ME SOLUCIONARON TODAS MIS DUDAS Y ME FACILITARON TODAS LAS GESTIONES DE ENTREGA Y REPOSICION DE OTRO MOVIL PORQUE EL PRIMERO AL HACER ACTUALIZACION SE ESTROPEO.
RESPUESTA: positivo

EJEMPLO: Calidad increíble, sabor muy intenso. Se nota que es un producto natural... Merece la pena pagar lo que vale. Muy satisfecho.
RESPUESTA: positivo

EJEMPLO: es muy pequeña y tiene poco aluminio y se a abierto un poco aluminio es muy cómoda y cabe bien la comida
RESPUESTA: neutro

EJEMPLO: A pesar de estar tomándome este producto durante dos meses y medio religiosamente cada día ,no sirve absolutamente de nada, porque sigo blanca como la pared. Admiro a las personas que lo han tomado y les ha funcionado pero desde luego a mí, no ha sido el caso. Decían que empezaba a funcionar desde el segundo mes pero pienso que aunque lo tomase 12 meses seguiría igual.
RESPUESTA: negativo

EJEMPLO: Es un producto económico de plástico que cumple con su función y punto.
RESPUESTA: neutro

EJEMPLO: Es una porqueria de producto! En dos semanas ya estava oxidada y eso que hice el curado de la sarten pero la calidad de este producto es pesima. No recomiendo a nadie
RESPUESTA:


MODEL OUTPUT

 no recomiendo adie


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

EJEMPLO: Es lo peor que comprado para mi movil ha durado un mes y de repente deja de cargar no compreis baterias en este vendedor es lo peor
RESPUESTA: negativo

EJEMPLO: Cumple su propósito aunque son bastante endebles, hay que poner prendas ligeras si no se abren por el peso.
RESPUESTA: neutro

EJEMPLO: Llegó en el plazo indicado
RESPUESTA: positivo

EJEMPLO: Todo perfecto, gran calidad a un gran precio y dificil de encontrar por llevar el destornillador en lugar del sacacorchos.
RESPUESTA: positivo

EJEMPLO: Es un auténtico timo, plástico de malísima calidad, lleva un ventilador de muy baja potencia, es de Pc, he metido el recipiente al congelador y ni poniéndole hielo enfria, imagínate con agua. Los botones que lleva dan la sensación que se van a romper cuando los pulsas, la tapa que tienes que quitar para sacar el recipiente luego no encaja y te tiras media hora para volverla a poner en su sitio. El agua a veces se sale y la placa electrónica que lleva el aparato no está protegida, te doy 2 días para que se rompa, esto es un timo señores, no malgasten su dinero, ni 5€ vale, le doy una estrella porque me obligan.
RESPUESTA: negativo

EJEMPLO: Batería externa excelente, pero sus 200 g de peso parece que lleves otro móvil
RESPUESTA:


MODEL OUTPUT

 el mercado externo excelente, pero sus 200 g de peso parece que lleves otro móvil


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

EJEMPLO: Está bien para el precio que tiene, no sirve para llevar cosas frías, el tamaño es un poco justo, caben dos tuppers pequeños y una lata
RESPUESTA: neutro

EJEMPLO: EL PRODUCTO ES LO QUE QUERIA .PERO CON QUIEN ESTOY ENCANTADA ES CON LA TIENDA EN LA QUE LO COMPRE. ME ATENDIERON DOS CHICOS SUPER AGRADABLES Y QUE ME SOLUCIONARON TODAS MIS DUDAS Y ME FACILITARON TODAS LAS GESTIONES DE ENTREGA Y REPOSICION DE OTRO MOVIL PORQUE EL PRIMERO AL HACER ACTUALIZACION SE ESTROPEO.
RESPUESTA: positivo

EJEMPLO: Buena relación calidad precio. Tiene bastante potencia y pesa muy poco.
RESPUESTA: positivo

EJEMPLO: Cumplieron fecha de entrega. Precio correcto con el producto.
RESPUESTA: positivo

EJEMPLO: La funda para el sofá es muy fina. El material no transmite sensación de que vaya a durar en el tiempo, pero por el precio que tiene no podría pedirse algo mejor, o si?. Compré una funda de marca para la barbacoa y comprado con esta es de risa. En principio hace de repelente de agua, pero no lo he probado con lluvia torrencial, lo he probado tirándole un poco de agua en una zona con un vaso. Habría que volver a valorar esta funda con el paso del tiempo para ver si merece la pena o no su compra.
RESPUESTA: neutro

EJEMPLO: Aunque la mayoría de opiniones positivas que tiene este producto son falsas (solo hay que leerlas todas y mirar nombres y fecha de publicación y la manera que se comentan).... decir que son unos auriculares muy correctos para el precio que tienen. Se echa de menos que los graves sean un poco más "potentes", pero por este precio no se puede pedir más. Ahora solo hace falta que funcionen bastante tiempo.
RESPUESTA:


MODEL OUTPUT

 Until the most positive opinions that have this product are falsas (solo hay que leerlas todas y mirar nombres y fecha de publicación y la manera que se commentan).... decir que son unos a


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

EJEMPLO: Muy comodo para cargar varios dispositivos a la vez sin necesidad de tener que utilizar ladrón de enchufe.
RESPUESTA: positivo

EJEMPLO: Muy buena funda, todo perfecto!
RESPUESTA: positivo

EJEMPLO: No se encendía de ninguna manera después de 3 horas enchufado. Lo enchufamos al día siguiente y funcionó pero perdió actualización y costó muchísimo resetearlo para volverlo a configurar. Ahora ya funciona, la única pega es que cuando se desenchufa o pierde la corriente, no se restablece correctamente y no se conecta a Internet.
RESPUESTA: neutro

EJEMPLO: No entiendo como funciona.donde se puede encontrar instrucciones fe funcionamiento en castellano?
RESPUESTA: negativo

EJEMPLO: Lo esperaba más compacto ( fallo mio ) dado que hoy en dia hay cargadores unificados para distintos aparatos. Calidad buena Servicio ràpido
RESPUESTA: neutro

EJEMPLO: Buen cargador. Su forma va perfecta para poner en enchufes dobles al ser estrecho no tapa el enchufe de al lado. Era lo que busca
RESPUESTA:


MODEL OUTPUT

 el enchufe de lado. Qué es el enchufe de lado?


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

EJEMPLO: Está muy bien, corren y saltan detrás de ellos.
RESPUESTA: positivo

EJEMPLO: Con un bebé de dos meses la verdad es que me ayuda mucho cuando le dejo en la hamaca con el sonido de las olas y las bolitas que cuelgan , parece que no pero realmente se entretiene hasta que llega a dormirse
RESPUESTA: positivo

EJEMPLO: Llego en el tiempo previsto
RESPUESTA: neutro

EJEMPLO: Comodo y facil de colocar.Muy estable.
RESPUESTA: positivo

EJEMPLO: Estaria bien que fuese mas largo el hueco pars que no se quede tsn colgado el pints labios. Cumple su funcion si no tienes mucho dinero.
RESPUESTA: neutro

EJEMPLO: El colchon esta bien, el envío tardo más de dos Semanas en llegar
RESPUESTA:


MODEL OUTPUT

 el libro esta bien, el envo más de dos Semanas en llegar


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

EJEMPLO: Me ha gustado mucho el producto. El diseño y calidad muy buenos. El pedido llegó muy rapido. Me ha encantado
RESPUESTA: positivo

EJEMPLO: Para empezar, si el tiempo de envío es largo, el producto se retrasa por problema de aduanas. Solicitó la devolución, ya que es para un regalo y ante la tardanza han adquirido una prenda similar en otro sitio. Amazon me pone en contacto con el vendedor, el cual no facilita la devolución. Mientras tanto recibo el paquete y cuál es mi sorpresa que el artículo q me envían es un bolso negro, una especie de portafolios pero que nada tiene que ver con el sujetador de lactancia que encargue. Sigo en contacto con el vendedor, que aún sigue sin darme ninguna solución.
RESPUESTA: negativo

EJEMPLO: A pesar de estar tomándome este producto durante dos meses y medio religiosamente cada día ,no sirve absolutamente de nada, porque sigo blanca como la pared. Admiro a las personas que lo han tomado y les ha funcionado pero desde luego a mí, no ha sido el caso. Decían que empezaba a funcionar desde el segundo mes pero pienso que aunque lo tomase 12 meses seguiría igual.
RESPUESTA: negativo

EJEMPLO: El producto en si, esta bien, encaja perfecto, pero la mochila llegó con dos manchas de tinta supongo, y una de las cremalleras rota, aunque con la otra cierra bien.
RESPUESTA: neutro

EJEMPLO: He solicitado la devolución del producto, el producto no coincide con el ofertado, han mandado un kit con cuadro utensilios de muy mala calidad.
RESPUESTA: negativo

EJEMPLO: Malísima calidad. Me Llegó el producto dañado con todos los tornillos oxidados y faltando piezas y además la atención con el vendedor nada buena me he tenido que poner en contacto con amazon para que medie pq no vienen por el producto y cuando te dicen vienen no aparecen y no me devuelven mi dinero.
RESPUESTA:


MODEL OUTPUT

 ir el producto daado con todos los tornillos oxidados y faltando piezas y además la atención con el vendedor nada buena me teni


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

EJEMPLO: El producto viene perfecto pero no como en la foto que aparece, y a mi me hubiese gustado elegir El color que me gustase
RESPUESTA: neutro

EJEMPLO: EL PRODUCTO ES LO QUE QUERIA .PERO CON QUIEN ESTOY ENCANTADA ES CON LA TIENDA EN LA QUE LO COMPRE. ME ATENDIERON DOS CHICOS SUPER AGRADABLES Y QUE ME SOLUCIONARON TODAS MIS DUDAS Y ME FACILITARON TODAS LAS GESTIONES DE ENTREGA Y REPOSICION DE OTRO MOVIL PORQUE EL PRIMERO AL HACER ACTUALIZACION SE ESTROPEO.
RESPUESTA: positivo

EJEMPLO: Esta buen, queda bien en el ordenador lo deja muy protegido pero la calidad del plástico se ve que no es muy buena y que en sí no parece madera de verdad ni anda cerca de parecerlo. También tengo que decir que la carcasa que me vino es diferente a la de la foto esta es más clarita.
RESPUESTA: neutro

EJEMPLO: UNA DE LAS PESTAÑAS DE LA CAJA VINO ROTA. POR LO DEMÁS BIEN, ES IGUAL QUE EN LAS FOTOS.POR EL PRECIO NO SE PUEDE PEDIR MAS
RESPUESTA: neutro

EJEMPLO: el articulo que me enviaron no era el mismo que yo pedi, y me cobraron por el precio del de la foto, y cuando me lo enviaron era mas pequeña y no era el mismo de la foto. La verdad que he pedido ya muchos productos pero en este en concreto me decepcione muchisimo,
RESPUESTA: negativo

EJEMPLO: El producto me ha llegado sin tapa tal como se ve en la foto, por suerte no está abierto. La valoración es por él estado del envío, no por el producto en sí.
RESPUESTA:


MODEL OUTPUT

 negative


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

EJEMPLO: Muy buena calidad. Lo recomiendo.
RESPUESTA: positivo

EJEMPLO: Totalmente sorprendida por la calidad de sonido, me lo esperaba mucho más inferior pero ha superado mis espectativas... por ponerle una pega echo de menos una salida usb.
RESPUESTA: positivo

EJEMPLO: Funciona bien pero se nota que la calidad no es la de la original.
RESPUESTA: neutro

EJEMPLO: No me ha llegado el producto. Fecha prevista 9 marzo. Figura como enviado. No sé que ha podido pasar. Gracias
RESPUESTA: negativo

EJEMPLO: En poco tiempo el asa que sube y baja ya no funciona correctamente. Estoy decepcionada, ya que era para utilizar todas las semanas.
RESPUESTA: neutro

EJEMPLO: No lo recomiendo. Es de baja calidad. La salida RCA analógica nunca ha funcionado. Si me llego a dar cuenta a tiempo lo hubiera devuelto :-(
RESPUESTA:


MODEL OUTPUT

 RCA analógica nunca ha funcionado. Si me llego dar cuenta a la tempo lo hubiera devuelto :-(


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

EJEMPLO: Van muy bien y son cómodos. La durabilidad es un poco corta en cuanto al material antideslizante. En un par de meses con un uso de 3 veces por semana, se van perdiendo los antideslizantes.
RESPUESTA: neutro

EJEMPLO: Para qué decir más...
RESPUESTA: negativo

EJEMPLO: Cumple su propósito aunque son bastante endebles, hay que poner prendas ligeras si no se abren por el peso.
RESPUESTA: neutro

EJEMPLO: Me leí el libro de la chica del semáforo y el hombre del coche y me encantó, desde mi punto de vista este libro sobraba un poco, tiene muchísimas erratas que se deberían corregir, lo dicho este libro no es necesario leerlo
RESPUESTA: negativo

EJEMPLO: Superadas mis espectativas! Muy estables para las tazas.
RESPUESTA: positivo

EJEMPLO: Cómodos, antideslizantes, ligeros para trabajar
RESPUESTA:


MODEL OUTPUT

 ligeras


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

EJEMPLO: Es muí bonito igual que en la. Foto gracias
RESPUESTA: positivo

EJEMPLO: Esta bien, es fino, queda mas grande de lo que se indica en el tallaje. El gorro también es grande.
RESPUESTA: neutro

EJEMPLO: Me gusta porque da un tono de color a la salita tipo cine ya que puede poner los tonos mas suaves o mas fuertes,son algo mas de 75cm y los mios rodean la tele como se ve en la foto,lo unico que veo un poco flojo es la cinta de pegar que no se lo que aguantara
RESPUESTA: positivo

EJEMPLO: Era un regalo y la verdad que esta dando la talla que deseaba!! Facil de utilización y muy creativo.
RESPUESTA: positivo

EJEMPLO: La calidad no es muy buena. A la primera puesta le han salido un montón de bolas y me ha dejado el colchón lleno de pelusas como se puede ver en la foto adjunta. Además, los laterales no viene con costura. No lo recomiendo.
RESPUESTA: negativo

EJEMPLO: Quizá lo compré un poco grande y por eso se me caen Igual que en la foto. Ojo ! Elegir bien la talla
RESPUESTA:


MODEL OUTPUT

 positive EJEMPLO: I want to compré un poco grande y por eso se me caen Igual que en la foto. Ojo! Elegir bien


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

EJEMPLO: Encaja a la perfección
RESPUESTA: positivo

EJEMPLO: Me ha gustado porque tiene una buena estructura y gran capacidad para guardar ropa, calzado...
RESPUESTA: positivo

EJEMPLO: Para una cama de 1,35 son pequeñas no corresponden las medidas
RESPUESTA: negativo

EJEMPLO: Es falso,trae una bomba que no es la de Loreal.He iniciado la devolución.
RESPUESTA: negativo

EJEMPLO: Gran Altavoz. Buen sonido, buenos graves, buen volumen...
RESPUESTA: positivo

EJEMPLO: Una auténtica porquería.
RESPUESTA:


MODEL OUTPUT

 Una auténtica porque era.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

EJEMPLO: Me ha gustado porque tiene una buena estructura y gran capacidad para guardar ropa, calzado...
RESPUESTA: positivo

EJEMPLO: Fatal!!! No funciona en inducción aunque pone que si, es un engaño!!!!!
RESPUESTA: negativo

EJEMPLO: El articulo parece que venia usado...mal embalado y medio abierta la caja interior....
RESPUESTA: neutro

EJEMPLO: En su línea, la verdad. Acción hasta el final, mujeres apasionantes, hombres enamorados y mucha acción. La verdad es que engancha desde el principio.
RESPUESTA: positivo

EJEMPLO: Apenas 4 meses y ya no carga. Mucho peor que la batería original
RESPUESTA: negativo

EJEMPLO: Me llegó abierta la caja y faltaba una barritas! Un engaño total
RESPUESTA:


MODEL OUTPUT

 negative


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

EJEMPLO: La tarta es un poco pequeña y los complementos más aun. Me esperaba otra cosa. Pero está bien. Es plástico todo
RESPUESTA: neutro

EJEMPLO: Las compré para aguas abiertas, muy buenas gafas una vez que las ajustas bien. Por el material parece que entre agua, pero no. Una gran ventaja que tengan lentes polarizadas, van muy bien cuando da el sol de cara. Muy buen producto, ya veremos cuanto dura la estanqueidad.
RESPUESTA: positivo

EJEMPLO: Cumple su función, aunque la calidad de los materiales deja algo que desear. Se ve que es plástico del barato y da sensación de fragilidad. Veremos como aguanta el paso del tiempo y los usos.
RESPUESTA: neutro

EJEMPLO: El cristal le va pequeño a la pantalla, por los lados sobra un monton así que no lo cubre por completo, uno de los 2 cristales que iban en el paquete llevaba como una mota de polvo de fabrica insalvable. No lo recomiendo.
RESPUESTA: negativo

EJEMPLO: Ya había probado varios aparatos de este tipo y este supera todos los que ya he tenido . Es muy cómodo que sea recargable y no de pilas como la mayoría. Pero además el mango giratorio es una comodidad.
RESPUESTA: positivo

EJEMPLO: La mesa cumple con lo que necesitaba. Pesa poco, se pliega facil, y es estable para dejar algo fijo en ella. Para estar tecleando o manejando cosas en ella no parece la mesa mas estable del mundo. El material es plastico.
RESPUESTA:


MODEL OUTPUT

 el material es polvo.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

EJEMPLO: Muy buena calidad. Lo recomiendo.
RESPUESTA: positivo

EJEMPLO: Està bien para el precio que tiene
RESPUESTA: neutro

EJEMPLO: Estaria bien que fuese mas largo el hueco pars que no se quede tsn colgado el pints labios. Cumple su funcion si no tienes mucho dinero.
RESPUESTA: neutro

EJEMPLO: Funciona bien pero se nota que la calidad no es la de la original.
RESPUESTA: neutro

EJEMPLO: El producto no llegó en el tiempo indicado, exactamente 24 días después, es lamentable que pasen estas cosas, ya no me sirve el producto para la fecha en la que ha llegado.
RESPUESTA: neutro

EJEMPLO: Como pata esta bien si tienes adaptador. Calidad buena.
RESPUESTA:


MODEL OUTPUT

 positive EJEMPLO: As que es el precio que tiene el precio que tiene el precio EJEMPLO: Good


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

EJEMPLO: Para el colegio son perfectos.Duran mucho tiempo.Llegaron antes de tiempo.
RESPUESTA: positivo

EJEMPLO: la tela no es la que esperaba
RESPUESTA: neutro

EJEMPLO: Sirve, pero no tiene mucha calidad
RESPUESTA: neutro

EJEMPLO: Muy caros luego los he estado viendo 2euros iguales y la misma marca .se han pasado con el margen de beneficio
RESPUESTA: neutro

EJEMPLO: Solo me llegó una pieza cuando el pedido era de 6
RESPUESTA: negativo

EJEMPLO: No duran mucho tiempo (6 meses)
RESPUESTA:


MODEL OUTPUT

 negative


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

EJEMPLO: Es agradable y protege. Ya lo sabemos que la proteccion es así pero este año no me he quemado y tengo algo de color
RESPUESTA: positivo

EJEMPLO: A mi hija la ha encantado. Viene además 2 hojas con pegatinas de estrellas, círculos y formas pequeñas en color rojo y plata y se lo ha pasado genial pintando y pegándolas.
RESPUESTA: positivo

EJEMPLO: Mi hija esta en un campamento y nos pidieron que llevara unos rotuladores acrilicos para hacer distintas manualidades, pintar en tazas, piedras...etc. Esta super contenta con los rotuladores porque los colores son muy bonitos y pintan bien. Todo un acierto
RESPUESTA: positivo

EJEMPLO: El color rojo va genial para las ojeras aguanta todo el día. Y el verde para tapar las rojeces me encantan
RESPUESTA: positivo

EJEMPLO: El difusor no es fino suelta grumos, no es transparente, el faro pierde transparencia y encima toma un color azulado no lo recomiendo usarlo para faros a no ser q seas un chapuzas
RESPUESTA: negativo

EJEMPLO: Me a llegado rallada los dibujos y de color naranja , no es lo que pone en la descripción ponía de color rosa y llega de otro color .
RESPUESTA:


MODEL OUTPUT

 me a llegado rallada los dibujos y de color naranja, no es lo que pone en la descripción pona de color rosa y llega de otro color.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

EJEMPLO: Un poquito escaso pero funciona , hay que seguir bien todos los pasos
RESPUESTA: positivo

EJEMPLO: Es una maravilla nos ha llegado super rapido y mis hijos estan encantados construyendo toda clase de cosas,me parece un juego muy didactico y que les ayuda a pensar y desarrollar su creatividad, en mi caso buscaba algo asi y he acertado Los materiales son muy buenos
RESPUESTA: positivo

EJEMPLO: Hola, el producto me parece muy bueno pero solicité su devolución y nunca vienieron. la empresa con la que trabajan de envío no es buena.
RESPUESTA: neutro

EJEMPLO: No están mal y se mantienen bastante pero tiene brillantina y es lo que no me gusta y no compraré más por ese motivo
RESPUESTA: neutro

EJEMPLO: Yo usaba el tamaño slim que compraba en el estanco y pensaba que estos eran iguales pero no, son aún más cortos. Yo uso una liadora manual y ya me apaño pero para quien los lie a mano necesitará práctica. Por lo demás, relación cantidad-precio excelente.
RESPUESTA: neutro

EJEMPLO: No sé lo que durará, pero eso de poder cortar el celo automaticamente mientras lo pones, es fantástico. La idea es brillante y de momento, funciona muy bien. Para la gente que ponga carteles, supongo que es una herramienta obligatoria. Recomendable 100%
RESPUESTA:


MODEL OUTPUT

 100%


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

EJEMPLO: Diseño poco innovador
RESPUESTA: neutro

EJEMPLO: Utilizó la tarjeta de sonido para conectar un micro PC y sacar el sonido por los altavoces de una máquina de gimnasio. El resultado sonido perfecto y potente, sin necesidad de configurar nada. Perfecto.
RESPUESTA: positivo

EJEMPLO: Fácil de conectar, pequeño y manejable. El sonido regular y se oye bastante flojito. No lo volvería a comprar.
RESPUESTA: neutro

EJEMPLO: Mala calidad, solo funciona la mitad, nada recomendable
RESPUESTA: neutro

EJEMPLO: Un desastre de producto. Los globos imposibles de inchar, sin instrucciones, Valvulas imposibles y que se rompen. No lo recomiendo en absoluto.
RESPUESTA: negativo

EJEMPLO: después de un mes, imposible conectar con ningún dispositivo....mala compra
RESPUESTA:


MODEL OUTPUT

 necesito que me ayudes en una tarea de clasificación de texto. The text that vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

EJEMPLO: Muy buena calidad. Lo recomiendo.
RESPUESTA: positivo

EJEMPLO: SIEMPRE LO COMPRO, PERO LO MALO ES EL PRECIO, MUY CARO Y CADA VEZ LO SUBEN MAS DE PRECIO CUANDO SON UNAS PEGATINAS. NO OBSTANTE, HACEN SU USO, PERO SOLO POR UNOS DIAS ESCASOS... AUN ASI ES UNA NOVEDAD
RESPUESTA: neutro

EJEMPLO: No me ha gustado nada. Mucho calor dentro, resiste mal el viento, aunque no sea fuerte, los enganches se sueltan de las piquetas con facilidad. No la recomiendo.
RESPUESTA: negativo

EJEMPLO: Molde resistente y bueno. No pesa nada. Muy práctico.
RESPUESTA: positivo

EJEMPLO: Me he quedado un tanto decepcionado con el producto. Baja estabilidad, materiales poco resistentes, sensación de poco recorrido hacen que lo pagado sea lo justo por lo recibido. Vistas las críticas de anteriores compradores me esperaba más. Aún me estoy pensando si estrenarlo o si directamente proceder a su devolución.
RESPUESTA: neutro

EJEMPLO: Cumple su función, es ligero con gran resistencia. Se pliega hasta ocupar muy poco espacio. Lo recomiendo, por su calidad y precio
RESPUESTA:


MODEL OUTPUT

 positive EJEMPLO: Cumple su función, es ligero con gran resistencia. Se pliega hasta ocupar muy poco espacio. The recomendo, por su calidad y precio


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

EJEMPLO: Me leí el libro de la chica del semáforo y el hombre del coche y me encantó, desde mi punto de vista este libro sobraba un poco, tiene muchísimas erratas que se deberían corregir, lo dicho este libro no es necesario leerlo
RESPUESTA: negativo

EJEMPLO: El arte del juego es precioso. La historia merece ser vista al menos. La edición coleccionista, a ese precio, y con este juego, merece salir de camino a casa de cualquier jugon.
RESPUESTA: positivo

EJEMPLO: Un libro chulísimo, mezclando historia y chistes gráficos. Para todos los que conozcan el canal de youtube les va a gustar, porque ya conocen el estilo que manejan Pascu y Rodri, los autores. Por ponerle sólo un pero, demasiado corto.
RESPUESTA: positivo

EJEMPLO: El envío muy rápido, el mismo día del lanzamiento del libro. La lástima es que me lo han mandado algo deteriorado, en la parte superior hay una zona que está como rasgada. Era para un regalo.
RESPUESTA: neutro

EJEMPLO: Comencé a leer este relato con mucho interés y curiosidad, pues como lector aficionado a la historia, especialmente a la historia de España, he de reconocer con humildad que me queda mucho por leer y por conocer de no pocos capítulos de la nuestra historia, y ese era uno de ellos, la guerra de África. Luz para el olvido me ha sorprendido positivamente por su fácil y amena lectura de principio a fin, he disfrutado y he aprendido mucho, a la vez que el, capitán médico Luis María Alonso me ha sorprendido por su carácter, su fuerte personalidad, su confianza en sus principios y su fidelidad a los mismos, fue tanta su honestidad consigo mismo que le costó la vida. Considero que es una lección de historia recomendable para todos los españoles que quieran aprender y disfrutar con la lectura.
RESPUESTA: positivo

EJEMPLO: RECOMENDARÍA EL LIBRO A LOS INTERESADOS EN HISTORIA MEDIEVAL. ES UN LIBRO INTERESANTE Y BIEN ILUSTRADO. EL TAMAÑO ES ADECUADO.
RESPUESTA:


MODEL OUTPUT

 EL LIBOR  LOS INTERESADOS EN HISTORIA MEDIEVAL. ES UN LIBOR INTERESANTE Y BÉNÉILUSTRADO. EL TAMAO ES ADECUADO.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

EJEMPLO: No me gusta nada de nada....pero es lo que quiere mi hija. Lo espera con ilusión....así que....bueno. Me parece un juguete muy caro para lo que es.
RESPUESTA: negativo

EJEMPLO: muy agradable y comoda
RESPUESTA: positivo

EJEMPLO: No pesa, no abulta, no se mueve. Me parece perfecto. Para una micro cuatro tercios, es perfecto. Si lo recomiendo.
RESPUESTA: positivo

EJEMPLO: Preparo comida a primera hora de la mañana para llevármela a la oficina y con cremas y sopas me encuentro que, aún pasadas 6h, la comida está muy caliente y debo andar con ojo para no quemarme la boca.
RESPUESTA: positivo

EJEMPLO: 3 estrellas porque llegó tarde y no en la fecha prevista.Como no el reparto tenía que ser con Seur.En cuanto a la mochila es tal y como la ves,ni más ni menos.
RESPUESTA: neutro

EJEMPLO: Se mueve muy fácilmente y cuando se mueve, se enciede. A nada que lo tocas. No tiene freno
RESPUESTA:


MODEL OUTPUT

 es el tarea de clasificación de texto. Los textos que vas procesar de ambito de opiniones de productos. Quiero que me clasificación de texto una de las sigui


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

EJEMPLO: Era un regalo y la verdad que esta dando la talla que deseaba!! Facil de utilización y muy creativo.
RESPUESTA: positivo

EJEMPLO: No me gusto porque se equivocaron de producto ,y estoy esperando a que vengan a por el ,y hace casi un mes y no a pasado nadie, me gustaría saber si al final tengo que ir a devolverlo a correos
RESPUESTA: negativo

EJEMPLO: Lo compré en una oferta del black-friday para algún regalo, y al final me lo quedé para los niños, es asequible y tiene muchas piezas para entretenerse con los imanes.
RESPUESTA: neutro

EJEMPLO: Ideal original y divertida Bolsitas de regalo o para poner golosinas, bombones, etc La forma de las orejas con el nudo ya depende de la gracia que tenga cada uno. Se recomienda rellenar bien para que no queden granos en la cara del muñeco
RESPUESTA: positivo

EJEMPLO: La compré porque tenía la original que me quedaba grande. Ésta me queda perfecta y me encanta el color. Llevo con ella ya tiempo y sigue como el primer día.
RESPUESTA: positivo

EJEMPLO: Loc compre para un regalo, es perfecto le encantó, es mas grande de lo que me esperaba. No me ha decepcionado los lego siempre son un acierto y son lo que ves en la caja. Me ha gustado mucho
RESPUESTA:


MODEL OUTPUT

 es perfecto es perfecto es perfecto es perfecto es perfecto es perfecto es perfecto es perfecto es perfecto es perfecto es perfecto es perfecto es


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

EJEMPLO: Me leí el libro de la chica del semáforo y el hombre del coche y me encantó, desde mi punto de vista este libro sobraba un poco, tiene muchísimas erratas que se deberían corregir, lo dicho este libro no es necesario leerlo
RESPUESTA: negativo

EJEMPLO: Es tal y lo que te pone en la descripción, sin más, aunque la apertura de la basura, con el pedal, me da la impresión que se romperá dentro de no mucho tiempo, ya que se abre muy de golpe, aunque lo presiones suavemente.
RESPUESTA: neutro

EJEMPLO: Mi hija está encantada , con 6 años tiene las uñas pequeñas todavía y le quedan muy justas las calcomanías pero ella está encantada
RESPUESTA: positivo

EJEMPLO: Un libro chulísimo, mezclando historia y chistes gráficos. Para todos los que conozcan el canal de youtube les va a gustar, porque ya conocen el estilo que manejan Pascu y Rodri, los autores. Por ponerle sólo un pero, demasiado corto.
RESPUESTA: positivo

EJEMPLO: El envío muy rápido, el mismo día del lanzamiento del libro. La lástima es que me lo han mandado algo deteriorado, en la parte superior hay una zona que está como rasgada. Era para un regalo.
RESPUESTA: neutro

EJEMPLO: Este era el último libro que le faltaba a mi hermana de la trilogía y por supuesto le encantó, Por lo que recomiendo mucho todos los libros
RESPUESTA:


MODEL OUTPUT

 es el ltimo libro que le haba falta a mi hermana de la triloga y por supuesto le haba lo encantado, por lo que recomi


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

EJEMPLO: Por lo que vale la bombilla, debería ser led. Me parece muy cara para ser una bombilla incandescente.
RESPUESTA: negativo

EJEMPLO: Solo viene una en el paquete
RESPUESTA: neutro

EJEMPLO: La calidad no es muy buena. A la primera puesta le han salido un montón de bolas y me ha dejado el colchón lleno de pelusas como se puede ver en la foto adjunta. Además, los laterales no viene con costura. No lo recomiendo.
RESPUESTA: negativo

EJEMPLO: Son los mismos colores, son botes pequeños perfectos para un mejor trazado. Al ser esmaltes de gel necesitarás una lámpara de luz UV/LED pero son perfectos para darles un toque de brillo a la manicura.
RESPUESTA: positivo

EJEMPLO: Buenos materiales. Gran sonido. Sin problemas de conexión con ningún dispositivo Bluetooth que he probado. Los leds le dan un toque chic.
RESPUESTA: neutro

EJEMPLO: Solo encienden la mitad de los led
RESPUESTA:


MODEL OUTPUT

 en el paquete


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

EJEMPLO: Muy fino, abriga poco
RESPUESTA: neutro

EJEMPLO: Cumplen satisfactoriamente con la función. Se pueden recortar y son gruesas. Buena relación calidad precio
RESPUESTA: positivo

EJEMPLO: muy agradable y comoda
RESPUESTA: positivo

EJEMPLO: Me ha gustado porque tiene una buena estructura y gran capacidad para guardar ropa, calzado...
RESPUESTA: positivo

EJEMPLO: Muy buena funda, todo perfecto!
RESPUESTA: positivo

EJEMPLO: Muy fina, poca protección
RESPUESTA:


MODEL OUTPUT

 neutro


PARSE RESULT

 ['neutro']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

EJEMPLO: Yo usaba el tamaño slim que compraba en el estanco y pensaba que estos eran iguales pero no, son aún más cortos. Yo uso una liadora manual y ya me apaño pero para quien los lie a mano necesitará práctica. Por lo demás, relación cantidad-precio excelente.
RESPUESTA: neutro

EJEMPLO: Un teléfono ajustado a la definición. Sencillo y práctico. El timbre de llamada un poco bajo
RESPUESTA: neutro

EJEMPLO: No lo recomiendo!!! envío fue rápido .. pero muñeca tiene un ojito mal pintada ..estoy muy decepcionada con la compra deberían revisar los envíos antes de empaquetarlos
RESPUESTA: negativo

EJEMPLO: El material no es de muy buena calidad. el pedido tardo mucho ,no estoy muy contento con esta compra,no lo recomiendo
RESPUESTA: negativo

EJEMPLO: Por lo que cuesta, no está mal, recomendable su compra, como producto asequible.
RESPUESTA: neutro

EJEMPLO: Decepcionada se supone que es universal pero para el carro jane muun no vale no encaja en eñ cabezero porque la tela de saco es rigida y muy estrecha.
RESPUESTA:


MODEL OUTPUT

 Decepcionada se supone que es universal pero para el carro jane muun no vale no encaja no encaja no encaja no encaja no encaja no enca


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

EJEMPLO: No asusta palomas. No sirve para lo que pone.
RESPUESTA: negativo

EJEMPLO: Es bastante simple y no trae muchas cosas pero más completo que otros que he visto más caros. Para el precio está bien.
RESPUESTA: neutro

EJEMPLO: Funciona bien, pero a veces apretando se suelta.
RESPUESTA: neutro

EJEMPLO: Lo compre pensando en conectar para transmisión de datos y solo sirve para cargar la batería. Para esto último es práctico. Pero si lo quieres para otra cosa no vale.
RESPUESTA: neutro

EJEMPLO: Sirve, pero no tiene mucha calidad
RESPUESTA: neutro

EJEMPLO: Consta como un cartucho vacío, no sirve para nada.
RESPUESTA:


MODEL OUTPUT

 negocios


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

EJEMPLO: El protector de pantalla llegó un poco roto.
RESPUESTA: neutro

EJEMPLO: Después de unos meses de uso cumple su función. Materiales y acabados buenos, lo que no me gusta es que la ventana es muy oscura y cuesta ver la hora
RESPUESTA: neutro

EJEMPLO: El arte del juego es precioso. La historia merece ser vista al menos. La edición coleccionista, a ese precio, y con este juego, merece salir de camino a casa de cualquier jugon.
RESPUESTA: positivo

EJEMPLO: todo parce bien, aun no lo he probado pero de primer vistazo todo esta correcto, no pongo más estrellas por eso
RESPUESTA: neutro

EJEMPLO: EL AJUSTE A LA BARANDILLA ES MUY GRANDE EN LA POSICION MINIMA
RESPUESTA: neutro

EJEMPLO: El pantalón destiñe, ha manchado las sábanas de verde en el primer uso
RESPUESTA:


MODEL OUTPUT

 el pantalón destie, ha manchado las sábanas verdes en el primer uso


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

EJEMPLO: Funciona bien, pero a veces apretando se suelta.
RESPUESTA: neutro

EJEMPLO: El envio correcto, el empaquetado correcto pero para su precio esperaba algo mas grande con eso no me llega ni para una pierna lo siento muy pequeño
RESPUESTA: neutro

EJEMPLO: El armario está bastante bien. Pero el tema de mensajeria deja mucho que desear, aunque llego relativamente rapido (algo menos de 2 semanas), vino con varios golpes los cuales dificultan el montaje e interrumpen el cierre y apertura de puertas
RESPUESTA: neutro

EJEMPLO: Buena succión de aire. Lo usé para sustituir el que tenía con las mismas medidas
RESPUESTA: neutro

EJEMPLO: Es pequeño, silencioso y no pesa nada. Lo uso para calentar una habitación de tamaño medio y a los 10 minutos (a máxima potencia) tengo que apagarlo porque hace calor. Genial.
RESPUESTA: positivo

EJEMPLO: CUMPLE LA MISION PARA MEDIR CUALQUIER ANGULO,.ES ALGO PEQUEÑO TE TIENES QUE AUXILIAR DE UNA REGLA.EL ENVIO FUE RAPIDO Y MUY BIEN EMBALADO.
RESPUESTA:


MODEL OUTPUT




PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

EJEMPLO: Buenos guantes, calentitos, quizás un poco pequeños, pero yo tengo manos grandes. Al quedarme pequeños y estirarlos un poco, se ha roto el encaje.
RESPUESTA: neutro

EJEMPLO: Tiene un perfume muy agradable y duradero a la vez que discreto. Una sola barrita al día perfuma mi salón para todo el día.
RESPUESTA: positivo

EJEMPLO: Es un rollo para ponerlo en marcha...
RESPUESTA: neutro

EJEMPLO: Ha llegado la caratula un poco rajada. Por lo demás todo bien.
RESPUESTA: neutro

EJEMPLO: Encaja a la perfección
RESPUESTA: positivo

EJEMPLO: Las veo un poco flojas para un perro grande..
RESPUESTA:


MODEL OUTPUT

 el encaje veo un poco roja para una gran vez.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

EJEMPLO: Me ha gustado mucho el producto. El diseño y calidad muy buenos. El pedido llegó muy rapido. Me ha encantado
RESPUESTA: positivo

EJEMPLO: Es un rollo para ponerlo en marcha...
RESPUESTA: neutro

EJEMPLO: Cumple su función, aunque la calidad de los materiales deja algo que desear. Se ve que es plástico del barato y da sensación de fragilidad. Veremos como aguanta el paso del tiempo y los usos.
RESPUESTA: neutro

EJEMPLO: Después de unos meses de uso cumple su función. Materiales y acabados buenos, lo que no me gusta es que la ventana es muy oscura y cuesta ver la hora
RESPUESTA: neutro

EJEMPLO: Mi hija está encantada , con 6 años tiene las uñas pequeñas todavía y le quedan muy justas las calcomanías pero ella está encantada
RESPUESTA: positivo

EJEMPLO: Lo malo es que me hubiese gustado que el rollo fuera mas largo. Para poder aprovecharlo mejor. Pero el material es de buena calidad.
RESPUESTA:


MODEL OUTPUT

 positive


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

EJEMPLO: Muy liviano, el material parece hojalata. Muy bonito por dentro y por fuera. El casquillo es bastante pobre. El cable y embellecedor están correctos. Pero se come casi toda la luz de la bombilla, necesita muchisima potencia para que de luminosidad. Y es una luz muy muy anaranjada. Si quieres un ambiente tenue, ok.
RESPUESTA: neutro

EJEMPLO: no se actualiza, no marca bien la distancia,se gasta muy pronto la bateria, con 3 semanas de uso se a partido la trabilla de garga, no lo recomiendo, la aplicacion del movil no actualiza
RESPUESTA: negativo

EJEMPLO: Da mucha luz para poder dormir en la habitación
RESPUESTA: neutro

EJEMPLO: Son los mismos colores, son botes pequeños perfectos para un mejor trazado. Al ser esmaltes de gel necesitarás una lámpara de luz UV/LED pero son perfectos para darles un toque de brillo a la manicura.
RESPUESTA: positivo

EJEMPLO: Solo mencionar que un día de lluvia y la luz dejo de funcionar
RESPUESTA: negativo

EJEMPLO: Hacen perfectamente su función. La luz delantera ilumina muchísimo incluso en su nivel mas bajo, y la trasera se ve perfectamente a muchísima distancia. La bateria para la luz delantera tiene mucha autonomia. El montaje es muy sencillo. Recomendo para todo el mundo. Gracias.
RESPUESTA:


MODEL OUTPUT

 Gracias.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

EJEMPLO: Él color no se ajusta al de e la foto. Por lo demás todo perfecto.
RESPUESTA: neutro

EJEMPLO: La peor cámara que he tenido en mis manos. Dos veces la he tenido que reemplazar al primer día de uso. Al final con la mitad de accesorios comprados la he tenido que devolver y no comprarla más. La cámara se queda congelada. Se cargaba la batería cuando ella quería y se descargaba sola sin usarla. Problemas de actualización, vamos si quieres tirar el dinero cómprate está cámara. Una gran decepción. Esperaba que está cámara funcionara bien pero ha sido una pesadilla. Amazon me dijo que la iba a quitar de la venta por que había muchísimas devoluciones de esta cámara
RESPUESTA: negativo

EJEMPLO: Por lo que vale la bombilla, debería ser led. Me parece muy cara para ser una bombilla incandescente.
RESPUESTA: negativo

EJEMPLO: Es una monada. El tamaño y colores es el indicado, tiene luces y sonido ( imita a ebullición) los accesorios de un plástico muy aceptable . Son rígidos.
RESPUESTA: positivo

EJEMPLO: En menos de 2-3 meses perdieron el color, totalmente descoloridas y dejaron de ser azules marino para pasar a tener falta de color, compra muy mala, ya es la segunda vez que me ocurre, no volveré a comprarlas.
RESPUESTA: negativo

EJEMPLO: No e tenido bombillas de estas pero son una pasada, Pones una película y le cambias el color y esta súper bien, la app tiene varias modalidades. Modo lectura ,desayuno disco etc...
RESPUESTA:


MODEL OUTPUT

 el ejemplos de estas palabras, o el ejemplos de estas palabras, o el ejemplos de estas palabras, o el eje


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

EJEMPLO: Después de unos meses de uso cumple su función. Materiales y acabados buenos, lo que no me gusta es que la ventana es muy oscura y cuesta ver la hora
RESPUESTA: neutro

EJEMPLO: Las compré para aguas abiertas, muy buenas gafas una vez que las ajustas bien. Por el material parece que entre agua, pero no. Una gran ventaja que tengan lentes polarizadas, van muy bien cuando da el sol de cara. Muy buen producto, ya veremos cuanto dura la estanqueidad.
RESPUESTA: positivo

EJEMPLO: ES EXACTAMENTE IGUAL QUE EN LA FOTO, PERO LO MALO ES QUE EN LA BASE TIENE AGUJERITOS OSEA QUE SI LO DEJAS EN LA ENCIMARA EL AGUA SE COLARA, ABRIA QUE PONER ALGO DEBAJO
RESPUESTA: neutro

EJEMPLO: Aparentemente es bonito y fácil de colocar, pero cuando sales a la calle y lo tienes que usarlo para advertir algún peatón que se cruza despistado o deseas avisar, para poder pasar o adelantar. El sonido es muy débil insuficiente para una ciudad o pueblo. Es una pena el producto es bonito pero no merece la pena comprarlo.
RESPUESTA: negativo

EJEMPLO: Parece que protege bien, pero lo he devuelto porque no se apoya de manera estable. Queda demasiado vertical y es fácil que se caiga.
RESPUESTA: negativo

EJEMPLO: Practico, parece que no se debe oxidar con el agua, se engancha como si fuera una percha a un grifo o similar, pero la ventosa inferior no pega con la fuerza necesaria y se desplaza. Ojo si el enganche es prominente los estantes quedarán muy separados de la pared y se caerán por detrás
RESPUESTA:


MODEL OUTPUT

 Practico, parece que no se debe oxidar con el agua, se engancha como si fuera una percha a un grifo o similar, pero la ventosa inferior no pega con la fu


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

EJEMPLO: Para mí es uno de los mejores. Lo compré por que me hacía falta para ¡ya! . Lo peor, el precio pues lo compro más barato en otros sitios.
RESPUESTA: positivo

EJEMPLO: Es un buen cinturón, estoy contento con el, se le ve de buen material y funciona de manera perfecta, contento.
RESPUESTA: positivo

EJEMPLO: Muy contento al ver la cara de mi mujeres...
RESPUESTA: neutro

EJEMPLO: Perfecto a un precio increíble
RESPUESTA: positivo

EJEMPLO: Muy bonitos pero bastante pequeños. Precio elevado. Más de ocho euros
RESPUESTA: neutro

EJEMPLO: Mejor de lo que me esperaba un precio increible muy contento
RESPUESTA:


MODEL OUTPUT

 positive


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

EJEMPLO: El producto y su propia caja en el que viene empaquetado los botes es bueno, pero la caja del envío del trasporte es horrible. La caja del transporte llego completamente rota. De tal manera que los botes me los entregaron por un lado y la caja por otro. El transporte era de SEUR, muy mal.
RESPUESTA: neutro

EJEMPLO: Es justo lo que buscaba ni más ni menos y además es como la que tenía de hace ya años.
RESPUESTA: positivo

EJEMPLO: Despues de 2 dias esperando la entrega ,tuve que ir a buscarlo a la central de DHL de tarragona ,pese a haber pagado gastos de envio (10 euros),y encima me encuentro con un paquete todo golpeado en el que faltan partes del embalaje de carton y el resto esta sujeto por multitud de tiras de celo gigantesco pata que no se desmonte el resto de la caja ,nefasto he hecho varias reclamaciones a la empresa de transporte y encima me encuentro el paquete en unas condiciones horrorosas con multiples golpes,espero que al menos funcione.Nada recomendable,ni el vendedor ni amazon ni por supuesto el transportista DHL.
RESPUESTA: negativo

EJEMPLO: A pesar de estar tomándome este producto durante dos meses y medio religiosamente cada día ,no sirve absolutamente de nada, porque sigo blanca como la pared. Admiro a las personas que lo han tomado y les ha funcionado pero desde luego a mí, no ha sido el caso. Decían que empezaba a funcionar desde el segundo mes pero pienso que aunque lo tomase 12 meses seguiría igual.
RESPUESTA: negativo

EJEMPLO: Por lo que cuesta, no está mal, recomendable su compra, como producto asequible.
RESPUESTA: neutro

EJEMPLO: El producto exacto y sin una queja. En cambio el transporte TARDE MAL Y NUNCA. No sólo no entregaron el paquete a tiempo dos días más tarde de lo acordado si no que además tuve que desplazarme yo a buscarlo a la central Cuando yo estoy pagando por un servicio puerta a puerta. Correos express MUY MAL. Y NO ES LA PRIMERA VEZ
RESPUESTA:


MODEL OUTPUT

 TARDE MAL Y NUNCA. No sólo no entregaron el paquete a tiempo de dos das más tarde de lo acordado si no que además tuve que


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

EJEMPLO: las he utilizado una vez, las he lavado en el lavavajillas y han salido oxidadas y eso que en la descripción pone que son de acero inoxidable... no las recomiendo
RESPUESTA: negativo

EJEMPLO: El envio correcto, el empaquetado correcto pero para su precio esperaba algo mas grande con eso no me llega ni para una pierna lo siento muy pequeño
RESPUESTA: neutro

EJEMPLO: El sonido me a parecido bastante decente pero me hacen daño en las orejas después de un tiempo puestos. Los he devuelto
RESPUESTA: neutro

EJEMPLO: No corresponde con la descripción Se descarga rápido la batería He hecho reembolso del producto as de un mes y no me han devuelto el dinero
RESPUESTA: negativo

EJEMPLO: Las tallas ...es dificil acertar con la correcta o te aprietan mucho o te sobra...
RESPUESTA: neutro

EJEMPLO: Después de unos meses de uso cambio mi valoración seguido de mi opinión: El dispensador ha dejado de funcionar correctamente, el vendedor sólo me contestó para preguntarme por el número de pedido, una vez se lo dije... no he vuelto a saber nada mas de el, ni ha dado soluciones, ni mucho menos ha intentado buscarlas o averiguar por que falla. Por otro lado destacar que ha empezado a oxidarse... Raro ya que el anuncio ponía claramente de Acero Inoxidable... ------------------------------------------------------------------------------------------ La tecnología llega a nuestras casas... hace unos meses compré una papelera/basura también con sensor de proximidad y apertura automática. Quede muy contento y me arriesgue con este dispensador de jabón. La principal característica y ventaja es que no "pringas" nada. Puedes tener las manos llenas de jabón o agua y solo con aproximar la mano al sensor el dispensador se activa. Es muy fácil de utilizar, dispone de dos botones, + y - estos sirven para graduar la descarga del dispensador. Pulsando más de 3 segundos el +, podemos encenderlo o apagarlo. La carga se efectúa por la parte superior desde un tapón de media rosca. Destacar que el dispensador utiliza 4 pilas del tipo A++ que no van incluidas en el paquete.
RESPUESTA:


MODEL OUTPUT

 La tecnologa llega a nosotros... hace unos meses compré una papelera/basura también con sensor de proximidad y apertura automática. Quede muy contento


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

EJEMPLO: Para el precio que tienen, bastante bien van. No tiene manera de apagarlos o encenderlos si no es conectando/desconectando el cable.
RESPUESTA: neutro

EJEMPLO: La facil instalacion y la calidad del mismo
RESPUESTA: positivo

EJEMPLO: Todo correcto, Muy recomendable. Buena opción para tener cables de reserva. Envio rapidisimo! Excelente relación calidad/precio. Recomendable para la empresa y en casa.
RESPUESTA: positivo

EJEMPLO: Magnífico cable recibe la señal perfectamente.
RESPUESTA: positivo

EJEMPLO: El ventilador cumple su función el problema principal para mí es que su cable de conexión es muy, muy corto y apenas me permite alejarlo un metro del enchufe
RESPUESTA: neutro

EJEMPLO: Muy buena relación calidad-precio , me solucionó el problema sin cables
RESPUESTA:


MODEL OUTPUT

 positive


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

EJEMPLO: No me ha gustado nada. Mucho calor dentro, resiste mal el viento, aunque no sea fuerte, los enganches se sueltan de las piquetas con facilidad. No la recomiendo.
RESPUESTA: negativo

EJEMPLO: Las figuras son aleatorias y vale lo mismo que en cualquier tienda/kiosco. Por lo tanto si lo coge el niño en la tienda puede ver si los tiene o no. En la foto salen los más difíciles de conseguir, los que quieren los niños, y luego vienen los que les parece. Repito, no merece la pena comprarlos por aquí, todo son inconvenientes.
RESPUESTA: negativo

EJEMPLO: Solo la he utilizado 1 una vez y se descosió la parte trasera que va al cinturón. De usar y tirar.
RESPUESTA: negativo

EJEMPLO: No pesa, no abulta, no se mueve. Me parece perfecto. Para una micro cuatro tercios, es perfecto. Si lo recomiendo.
RESPUESTA: positivo

EJEMPLO: la tela no es la que esperaba
RESPUESTA: neutro

EJEMPLO: Bonita y grande, de tela resistente, pero el cierre está mal conseguido y es incómodo y las tiras son muy endebles, no creo que resistieran un tirón y si llevas peso te molestan
RESPUESTA:


MODEL OUTPUT

 el cierre está mal conseguido y es incómodo y los tiras son muy endebles, y luego te molestan


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

EJEMPLO: Para el precio que tienen, bastante bien van. No tiene manera de apagarlos o encenderlos si no es conectando/desconectando el cable.
RESPUESTA: neutro

EJEMPLO: Filtran perfectamente el sol cuando conduces, si en vez de plástico fueran de cristal seria perfecto. 😎
RESPUESTA: neutro

EJEMPLO: Los dos usb de los laterales tienen el problema de que no son 100% accesibles, tienes la opción de forzar un poco la placa y sus conexiones o como yo he hecho usar una pequeña lima y retirar ese milímetro que te sobra
RESPUESTA: neutro

EJEMPLO: El ventilador cumple su función el problema principal para mí es que su cable de conexión es muy, muy corto y apenas me permite alejarlo un metro del enchufe
RESPUESTA: neutro

EJEMPLO: Tiene el tubo muy pequeño, no sirve ni para botellas de 1 Litro. Viene empaquetado doblado lo cual facilita que se rompan los cables interiores del tubo. Un desastre y vale mucho más el envio que el producto en si.
RESPUESTA: negativo

EJEMPLO: el cable no tiene el suficiente peso como para rodar sin que de problemas y se enganche. La forma de enganche del cable a la maneta de forma lateral hace que el rodamiento no sea fluido.
RESPUESTA:


MODEL OUTPUT

 el cable tiene el suficiente peso como para rodar sin que de problemas y se enganche. La forma de enganche del cable a la maneta de forma lateral hace que el rodami


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

EJEMPLO: EDITO: 2 meses tras la compra ha dejado de funcionar los USB (motivo por el que compré el soporte. Evidentemente tiré la caja así que me quedo sin devolución y con una mesa de plástico.
RESPUESTA: negativo

EJEMPLO: La cafetera ha tenido problemas de conectividad con el bluetooth dos veces, y Nespresso no admite al taller cafeteras con ese tipo de problema.
RESPUESTA: negativo

EJEMPLO: Para el precio que tienen, bastante bien van. No tiene manera de apagarlos o encenderlos si no es conectando/desconectando el cable.
RESPUESTA: neutro

EJEMPLO: Cargador compatible con iPhone , pero se calienta
RESPUESTA: neutro

EJEMPLO: El producto está en mal estado y quiero q se me reembolse el dinero y yo comprar otro diferente porque este producto no está apto para la venta, golpeado y sin pintura, adjunto varías fotos para que lo comprueben ustedes mismo, y si quieren les mando el recibo de SEUR para que sepan que lo acabo de recibir no me a dado tiempo no a estrenarlo
RESPUESTA: negativo

EJEMPLO: El vendedor se queda en esta ocasión sin otra crítica positiva como todas las que tiene este producto por culpa de su mala praxis, que te lleguen estos auriculares en su caja rajada, con los precintos de plástico rotos y los auriculares sucios no es un buen comienzo, si a eso le añadimos que cuando vas a probarlos no está el cable de carga USB y que solo funciona el canal izquierdo por Bluetooth pues pasa lo que pasa en esta ocasión, que te llevas un cero patatero tanto en el artículo como en el vendedor.
RESPUESTA:


MODEL OUTPUT

 el vendedor se queda en esta ocasión sin otra crtica positiva como todos los que tiene este producto por culpa de su mala praxis, que te lle


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

EJEMPLO: Los dos usb de los laterales tienen el problema de que no son 100% accesibles, tienes la opción de forzar un poco la placa y sus conexiones o como yo he hecho usar una pequeña lima y retirar ese milímetro que te sobra
RESPUESTA: neutro

EJEMPLO: Me gusto porque llego muy rápido, pero luego no es muy practico ya q tienes que desmontar media silla xa poder ponerlos
RESPUESTA: neutro

EJEMPLO: Tenía un disco duro de 80 GB procedente de un portátil que tiré y me daba pena tirarlo. Compré esta carcasa, bien barata, y ahora tendo un USB de 80 GB. Como digo: Perfecto y barato.
RESPUESTA: positivo

EJEMPLO: Buenos materiales. Gran sonido. Sin problemas de conexión con ningún dispositivo Bluetooth que he probado. Los leds le dan un toque chic.
RESPUESTA: neutro

EJEMPLO: No funciona la carga, aunque si el audio
RESPUESTA: negativo

EJEMPLO: Funciona muy bien, lo conectas a la toma auxiliar del coche y ya puedes enviar la musica del movil, se empareja muy rapido y sin problemas, yo lo tengo puesto conectado siempre a un usb para alimentarlo, el volumen es mas alto si se esta cargando por usb.
RESPUESTA:


MODEL OUTPUT

 no es más alto si esta llegado por usb.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

EJEMPLO: Muy buena calidad. Envio rápido y correcto.
RESPUESTA: positivo

EJEMPLO: Es un buen cinturón, estoy contento con el, se le ve de buen material y funciona de manera perfecta, contento.
RESPUESTA: positivo

EJEMPLO: Su precio al que lo coji bastante bueno
RESPUESTA: positivo

EJEMPLO: Me gusto porque llego muy rápido, pero luego no es muy practico ya q tienes que desmontar media silla xa poder ponerlos
RESPUESTA: neutro

EJEMPLO: Es demasiado grueso, queda tosco y un pelín feo, las hay más discretas que quedan mucho mejor por el mismo precio
RESPUESTA: neutro

EJEMPLO: Muy bueno. Estoy muy contenta por su rapidez y prestaciones
RESPUESTA:


MODEL OUTPUT

 positive EJEMPLO: Good quality, very good quality


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

EJEMPLO: Muy pesado, difícil de desmontar, el color se desgasta, la cesta de atrás siempre con mucho polvo, he de limpiarla todos los días
RESPUESTA: neutro

EJEMPLO: Apenas 4 meses y ya no carga. Mucho peor que la batería original
RESPUESTA: negativo

EJEMPLO: Muy buen producto. Viene con pilas para la luz. Muy estable y practico. La verdad es que lo recomiendo totalmente
RESPUESTA: positivo

EJEMPLO: El recambio es igual a las originales, compramos este modelo porque para mi gusto, limpian mejor que las que solo son redondas. Ajusta perfecto al cepillo Oral-B y tienes recambios para olvidarte de ellos durante muchisimo tiempo!
RESPUESTA: positivo

EJEMPLO: Pedí un collar rojo y me vino en color verde. Pero por lo demás el producto promete. Las luces tienen tres posiciones y es fácil de adaptar al cuello del perro.
RESPUESTA: neutro

EJEMPLO: Practico, útil y sencillo. Apenas se ensucia y es fácil de limpiar. La batería del teclado dura mucho tiempo, aunque no incluye cargador para este. La funda protege perfectamente pero sin ocupar mucho. El color rosa es mas bonito que en la foto.
RESPUESTA:


MODEL OUTPUT

 rosa


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

EJEMPLO: Cumple sin más, relación calidad/precio aceptable. Fácil de instalar. La verdad que hay otras opciones que me parecen mejor, pero no está mal.
RESPUESTA: neutro

EJEMPLO: Era para otra persona y me dice que van bien. Más tarde vimos que se pueden conseguir más baratos en tiendas.
RESPUESTA: neutro

EJEMPLO: Buen producto y buen precio
RESPUESTA: neutro

EJEMPLO: Está bien para el precio que tiene, no sirve para llevar cosas frías, el tamaño es un poco justo, caben dos tuppers pequeños y una lata
RESPUESTA: neutro

EJEMPLO: Rápido envío superfacil instalación pero a la primera caída se ha roto y despegado.
RESPUESTA: neutro

EJEMPLO: Igual que el que venden en cualquier tienda, fácil instalación a buen precio.
RESPUESTA:


MODEL OUTPUT

 igual que el que venden en cualquier tienda, igual instalación a buen precio.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

EJEMPLO: Molde resistente y bueno. No pesa nada. Muy práctico.
RESPUESTA: positivo

EJEMPLO: Duradera y limpia. Algo almohadillada. Perfecta para debajo de los fuegos
RESPUESTA: positivo

EJEMPLO: Práctica pero le falta que el suelo sea rígido.
RESPUESTA: neutro

EJEMPLO: Comoda, y de buena calidad, recomendada
RESPUESTA: positivo

EJEMPLO: Me encanta para el bebe muy practico lo recomiendo 100%
RESPUESTA: positivo

EJEMPLO: Práctica y resistente. Bastante cómoda
RESPUESTA:


MODEL OUTPUT

 neutral


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

EJEMPLO: Estoy muy contenta. Lo conecto cuando salgo del trabajo y al llegar a casa ya está caliente. También lo puedes programar, hora de encendido, apagado, grados. Te dice también en el móvil a cuantos grados está tu casa. Yo lo recomiendo 100%
RESPUESTA: positivo

EJEMPLO: Me ha encantado lo fácil que es de usar, con las instrucciones claras y entre 45 minutos y 60 minutos te deja la piel como el tercio pelo. En unos meses repetire para tener los pies perfectos como las manos, que además parece la piel de los bebes.
RESPUESTA: positivo

EJEMPLO: A mí no me las ha dejado muy limpias...o no se usarlo bien o no es tan efectivo como dicen.
RESPUESTA: neutro

EJEMPLO: Tuve uno de la marca Kong y lo rompió en dos días, este es mas “duro” y resistente y vuela un poco más. Encantado con la compra
RESPUESTA: positivo

EJEMPLO: Estaria bien que fuese mas largo el hueco pars que no se quede tsn colgado el pints labios. Cumple su funcion si no tienes mucho dinero.
RESPUESTA: neutro

EJEMPLO: Llegó a casa y nada más bajar a dejarlo en el coche se había pinchado la rueda y lo probamos, es muy resistente y fácil de usar, con el pie se puede hacer fuerza y no se dobla, está como nuevo, va genial, lo recomiendo!
RESPUESTA:


MODEL OUTPUT

 ltimo es el tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos un


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

EJEMPLO: Cargador compatible con iPhone , pero se calienta
RESPUESTA: neutro

EJEMPLO: Ya había probado varios aparatos de este tipo y este supera todos los que ya he tenido . Es muy cómodo que sea recargable y no de pilas como la mayoría. Pero además el mango giratorio es una comodidad.
RESPUESTA: positivo

EJEMPLO: Cuando la adquirí, me gusto la idea de que también protegiera los márgenes de la pantalla sin cambiar el color del iPhone, pero con un golpe, adiós a la pantalla protectora. Mi sorpresa llegó al ponerle la que venia de recambio, a los pocos días, sin darle ningún golpe se me rajó entera de una esquina a otra por lo que me decepcionó bastante. Volví a comprar las típicas transparentes que encuentras en cualquier lado y con esa sigo a día de hoy aunque los bordes están un poco desgastados. ¿La recomendaría? No.
RESPUESTA: neutro

EJEMPLO: Funciona bien pero se nota que la calidad no es la de la original.
RESPUESTA: neutro

EJEMPLO: No existe una App que la haga funcionar. Solo funciona con el mando y tienes que estar bajo la bombilla para que reaccione. Luminosidad bastante baja.
RESPUESTA: negativo

EJEMPLO: El cargador tiene muy buena presencia, con una funda de goma de protección (de lo que ya podía tomar nota Apple) y está funcionando muy bien, tanto como el original.
RESPUESTA:


MODEL OUTPUT

 El cargador has very good presencia, con a funda de protección (de lo que ya puedan tomar nota Apple) y is working very well, both as el original.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

EJEMPLO: Son bonitos pero endebles y muy pequeños no corresponde a la foto Y el enganche estaba roto no se podían cerrar.
RESPUESTA: negativo

EJEMPLO: Es un disfraz que solo entra la parte de arriba del traje, viene con una máscara d látex gruesa que viene toda doblada y deforme. Pero eso no es lo peor, lo peor es que el traje cuesta 45€ y deberían de darte 45€ por ponértelo, por que es un espanto para el precio que tiene, una tela pésima, como un traje de carnaval del bazar oriental de 6€. Y lo de la talla única... uña persona que tenga una complexión algo fuerte, no le estaría bien. De verdad, es un traje que no vale en absoluto el dinero que cuesta. A si es que nada más verlo, se fue de vuelta.
RESPUESTA: negativo

EJEMPLO: La calidad no es muy buena. A la primera puesta le han salido un montón de bolas y me ha dejado el colchón lleno de pelusas como se puede ver en la foto adjunta. Además, los laterales no viene con costura. No lo recomiendo.
RESPUESTA: negativo

EJEMPLO: Esta buen, queda bien en el ordenador lo deja muy protegido pero la calidad del plástico se ve que no es muy buena y que en sí no parece madera de verdad ni anda cerca de parecerlo. También tengo que decir que la carcasa que me vino es diferente a la de la foto esta es más clarita.
RESPUESTA: neutro

EJEMPLO: Llegó a tiempo y perfectamente embalado. Excelente móvil lo poco que lo he usado me ha resultado super rápido, fotos de excelente calidad, batería de larga durabilidad, buenos acabados, sonido excelente, fácil de usar y una pantalla con full color. Ha sido una buena compra.
RESPUESTA: positivo

EJEMPLO: Instalarla cuesta un poco, compre los tensores 2 en principio y finalmente 4 porque no quedaba lo suficientemente tensa y en la zona central estaba muy caída , los laterales finalmente quedaban casi a nivel a la misma altura que los soportes , pero la zona central quedaba baja, decidí tensar un poco más y el resultado es el que se aprecia en las fotos , en la parte del refuerzo y la costura finamente rompió, las fotos son después de aflojarlo ligeramente para evitar que terminase de romper el resultado es pésimo ya que no se puede andar bajo la lona, con los soportes colocados a 2,35 m de altura. Parecía que iba a tener buen resultado pero no.
RESPUESTA:


MODEL OUTPUT

 Qué tensores 2 en principio y finalmente 4 porque no quedaba suficientemente tensa y en la zona central estaba muy cada , los laterales finalmente quedaban casi


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

EJEMPLO: Era un regalo para unos amigos. Al parecer se ajusta perfectamente a lo que necesitaban
RESPUESTA: neutro

EJEMPLO: Todo perfecto,lo unica malo es que el transportista forzo el DVD para entrarlo en el buzon y no pico el timbre estando yo en casa.
RESPUESTA: positivo

EJEMPLO: Por lo que cuesta, no está mal, recomendable su compra, como producto asequible.
RESPUESTA: neutro

EJEMPLO: Me equivoqué al comprar este soldador. No me sirvió para soldar una pequeñita pieza de hierro. El soldador de estaño sirve para soldar circuitos impresos con filamentos de cobre muy delgados.
RESPUESTA: negativo

EJEMPLO: En poco tiempo el asa que sube y baja ya no funciona correctamente. Estoy decepcionada, ya que era para utilizar todas las semanas.
RESPUESTA: neutro

EJEMPLO: Era para un regalo y al niño le encanto Vino en su pack sin estrenar,con lengueta que demostraba que no se habia usado la parte electronica
RESPUESTA:


MODEL OUTPUT

 el nio es el regalo y el nio es el regalo para unos amigos. Al parecer se ajusta perfectamente a lo que necesitaban


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

EJEMPLO: La peor cámara que he tenido en mis manos. Dos veces la he tenido que reemplazar al primer día de uso. Al final con la mitad de accesorios comprados la he tenido que devolver y no comprarla más. La cámara se queda congelada. Se cargaba la batería cuando ella quería y se descargaba sola sin usarla. Problemas de actualización, vamos si quieres tirar el dinero cómprate está cámara. Una gran decepción. Esperaba que está cámara funcionara bien pero ha sido una pesadilla. Amazon me dijo que la iba a quitar de la venta por que había muchísimas devoluciones de esta cámara
RESPUESTA: negativo

EJEMPLO: No puedo opinar sobre cómo va el producto apenas me acaba de llegar . Pero opino sobre la rapidez del envío. Me ha llegado antes de Lo previsto. Gracias
RESPUESTA: neutro

EJEMPLO: El cristal se adhiere por adhesivo, no por estática. La primera vez que se me cayo, se movio. La segunda se desprendió y quedó inutilizable sin llegar a romperse. Defraudado.
RESPUESTA: negativo

EJEMPLO: Mejor de lo que esperaba, tiene buena capacidad y queda perfecto. Es más grande de lo que esperaba. Por fin el vidrio está ordenado.
RESPUESTA: positivo

EJEMPLO: Me encanto. Ya los he comprado varias veces.
RESPUESTA: positivo

EJEMPLO: Todavía no me ha llegado, debería haber llegado el viernes... Espero que llegue pronto y no se haya perdido por el camino
RESPUESTA:


MODEL OUTPUT

 tuvo que tuvo, debe haber tuvo el viernes... espero que llegue pronto y no se haya perdido por el camino


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

EJEMPLO: No funciona la carga, aunque si el audio
RESPUESTA: negativo

EJEMPLO: buen articulo, viene muy bien y se pone con gran facilidad mirando algun tutorial en youtube, y vienen 2 para tener de repuesto
RESPUESTA: positivo

EJEMPLO: Se ve que la calidad es buena dentro de la media, aunque lo que no me gustó en relación a otros como el Ol'Vita, es que no guarda mucho de la parte de aceite esencial que le da el matiz "especiado". Para algunos usos quizá sea mejor no tener un sabor tan fuerte, pero para temas de salud preferiría tener todo el espectro natural.
RESPUESTA: neutro

EJEMPLO: La facil instalacion y la calidad del mismo
RESPUESTA: positivo

EJEMPLO: Todo perfecto,lo unica malo es que el transportista forzo el DVD para entrarlo en el buzon y no pico el timbre estando yo en casa.
RESPUESTA: positivo

EJEMPLO: El software que trae es penoso, la calidad del video y del audio son bastante deficientes si comparas con otras marcas.
RESPUESTA:


MODEL OUTPUT

 El software que trae es penoso, la calidad de video y la audio son bastante deficientes si comparas con otras marcas.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

EJEMPLO: Una de las gomas se ha estropeado muy pronto y uno de los botones también. Según mi experiencia, no me ha durado ni 2 meses. No compensa, se rompe con facilidad.
RESPUESTA: negativo

EJEMPLO: És un aparato que calidad precio no se puede pedir nada más, no tiene sorpresa,és un aparato sencillo
RESPUESTA: neutro

EJEMPLO: La cámara me llegó en perfecto estado, con todos los complementos, pero la puse las pilas la encendí y parecía ir todo bien, la apagué, y ya no volvió a encender. La voy a devolver y ya pedí otra nueva. Espero q esta última funcione bien...
RESPUESTA: negativo

EJEMPLO: La funda no esta mal, pero en la parte trasera vienen 4 apoyos blancos, uno de ellos venia muy mal pegado y al segundo día lo perdí.Me esperaba mas por su precio.
RESPUESTA: neutro

EJEMPLO: Es una maravilla nos ha llegado super rapido y mis hijos estan encantados construyendo toda clase de cosas,me parece un juego muy didactico y que les ayuda a pensar y desarrollar su creatividad, en mi caso buscaba algo asi y he acertado Los materiales son muy buenos
RESPUESTA: positivo

EJEMPLO: Con 2 semanas de uso el botón de apagado y encendido se ha desprendido de la funda impidiendo así su utilización.
RESPUESTA:


MODEL OUTPUT

 no es necesario que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar de la ambito de opiniones de productos. Quiero que me


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

EJEMPLO: Su estabilidad es muy buena, al igual que su uso. Pesa poco y ofrece mucha seguridad. Ideal para llegar a cualquier sitio normal.
RESPUESTA: positivo

EJEMPLO: Todo correcto, Muy recomendable. Buena opción para tener cables de reserva. Envio rapidisimo! Excelente relación calidad/precio. Recomendable para la empresa y en casa.
RESPUESTA: positivo

EJEMPLO: Es bastante rígido, aunque le falta peso para una pegada dura.Muy buen material.
RESPUESTA: neutro

EJEMPLO: Muy básico. Poco recomendable hay opciones mejores.
RESPUESTA: negativo

EJEMPLO: Resistente y con una batería muy duradera Ideal para trabajar en talleres. Un teléfono mediano de características técnicas a un precio muy bueno
RESPUESTA: positivo

EJEMPLO: Maleta flexible ideal para gente joven. Con cuatro ruedas, no pesa nada y mucha capacidad. Super recomendable
RESPUESTA:


MODEL OUTPUT

 positive EJEMPLO: ltimo es el objeto de clasificación de texto. ltimo es el objeto de clasificación de texto. ltimo e


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

EJEMPLO: La compré porque tenía la original que me quedaba grande. Ésta me queda perfecta y me encanta el color. Llevo con ella ya tiempo y sigue como el primer día.
RESPUESTA: positivo

EJEMPLO: Apenas 4 meses y ya no carga. Mucho peor que la batería original
RESPUESTA: negativo

EJEMPLO: En general me a gustado aunque se equivocaron de color, lo encargué negro y me vino con estampado gris.
RESPUESTA: neutro

EJEMPLO: Funciona bien pero se nota que la calidad no es la de la original.
RESPUESTA: neutro

EJEMPLO: El difusor no es fino suelta grumos, no es transparente, el faro pierde transparencia y encima toma un color azulado no lo recomiendo usarlo para faros a no ser q seas un chapuzas
RESPUESTA: negativo

EJEMPLO: Es la más parecida a la original. Me gusta mucho y de hecho la volví a comprar en varios colores más
RESPUESTA:


MODEL OUTPUT

 el más parecido a la original. Me gusta mucho y de hecho la volv a comprar en varios colores más


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

EJEMPLO: Es un poco endeble sobretodo en los botones
RESPUESTA: neutro

EJEMPLO: No pesa, no abulta, no se mueve. Me parece perfecto. Para una micro cuatro tercios, es perfecto. Si lo recomiendo.
RESPUESTA: positivo

EJEMPLO: El envío muy rápido, el mismo día del lanzamiento del libro. La lástima es que me lo han mandado algo deteriorado, en la parte superior hay una zona que está como rasgada. Era para un regalo.
RESPUESTA: neutro

EJEMPLO: Lo compre pensando en conectar para transmisión de datos y solo sirve para cargar la batería. Para esto último es práctico. Pero si lo quieres para otra cosa no vale.
RESPUESTA: neutro

EJEMPLO: a mi parecer muy incómodo para jugar
RESPUESTA: neutro

EJEMPLO: Perfecto, un poco largo para botella de butano, pero se puede cortar . Z z z z z z z
RESPUESTA:


MODEL OUTPUT

 perfecto, un poco largo para botella de butano, pero se puede cortar . Z z z z z z z z z


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

EJEMPLO: Cumplen satisfactoriamente con la función. Se pueden recortar y son gruesas. Buena relación calidad precio
RESPUESTA: positivo

EJEMPLO: Bien, en cuanto a que cubre perfectamente prácticamente toda la pantalla, encajando casi a la perfección en todos los agujeros, pero...quedan reflejos tipo espejo, habrá personas que esto no les suponga ninguna molestia, pero para mi es bastante molesto, una lástima porque por lo demás está muy bien, pero esto último para mi es determinante, el anterior no cubría tan bien pero no reflejaba de esta manera, siendo más cómodo para la vista.
RESPUESTA: neutro

EJEMPLO: es muy pequeña y tiene poco aluminio y se a abierto un poco aluminio es muy cómoda y cabe bien la comida
RESPUESTA: neutro

EJEMPLO: De lo que se ve en la foto a él plástico naranja del original...en fin, más que oro parece q ya amarilleo de tener tiempo
RESPUESTA: negativo

EJEMPLO: Superadas mis espectativas! Muy estables para las tazas.
RESPUESTA: positivo

EJEMPLO: Cumple su cometido, pero la superficie de la cubeta es muy delicada y se raya con muchísima facilidad, simplemente usando los tenedores que incluye. En dos usos está muy estropeada
RESPUESTA:


MODEL OUTPUT

 Cumple su cometido, pero la superficie de la cubeta es muy delicada y se raya con muchsima facilidad, simplemente usando los tenedores que incluye.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

EJEMPLO: cumple con lo estipulado
RESPUESTA: neutro

EJEMPLO: Mejor de lo que esperaba, tiene buena capacidad y queda perfecto. Es más grande de lo que esperaba. Por fin el vidrio está ordenado.
RESPUESTA: positivo

EJEMPLO: Después de unos meses de uso cumple su función. Materiales y acabados buenos, lo que no me gusta es que la ventana es muy oscura y cuesta ver la hora
RESPUESTA: neutro

EJEMPLO: Cumplieron fecha de entrega. Precio correcto con el producto.
RESPUESTA: positivo

EJEMPLO: la tela no es la que esperaba
RESPUESTA: neutro

EJEMPLO: Lo que se esperaba, cumple su fucnion
RESPUESTA:


MODEL OUTPUT

 positive


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

EJEMPLO: No me ha gustado nada. Mucho calor dentro, resiste mal el viento, aunque no sea fuerte, los enganches se sueltan de las piquetas con facilidad. No la recomiendo.
RESPUESTA: negativo

EJEMPLO: Llego en el tiempo previsto
RESPUESTA: neutro

EJEMPLO: Es pequeño, silencioso y no pesa nada. Lo uso para calentar una habitación de tamaño medio y a los 10 minutos (a máxima potencia) tengo que apagarlo porque hace calor. Genial.
RESPUESTA: positivo

EJEMPLO: Tuve uno de la marca Kong y lo rompió en dos días, este es mas “duro” y resistente y vuela un poco más. Encantado con la compra
RESPUESTA: positivo

EJEMPLO: Envío rápido pero la bolsa viene sin caja ( en otras tiendas online viene mejor empaquetado) y por consecuencia la bolsa tenía varios puntos con agujeros... La comida está en buen estado pero ya no te da la misma confianza. Fecha de caducidad correcta.
RESPUESTA: neutro

EJEMPLO: Muy descontento con el envío. El paquete a llegado sin embalaje dentro de otra caja. A venido tal cual con la caja original y sin precinto de primera apertura. Si falta alguna pieza solicitaré la devolución.
RESPUESTA:


MODEL OUTPUT

 No es encontrar en el envo. El paquete a llegado sin embalaje dentro de otra caja. Avenido tal cual con la caja original


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

EJEMPLO: Para mí es uno de los mejores. Lo compré por que me hacía falta para ¡ya! . Lo peor, el precio pues lo compro más barato en otros sitios.
RESPUESTA: positivo

EJEMPLO: Era un regalo para unos amigos. Al parecer se ajusta perfectamente a lo que necesitaban
RESPUESTA: neutro

EJEMPLO: Todavía no he tenido tiempo de probarlo, a tener en cuenta que no lleva pilas, hay que comprarlas , son de las pequeñas no de las de boton sino de las otras.
RESPUESTA: neutro

EJEMPLO: Con un bebé de dos meses la verdad es que me ayuda mucho cuando le dejo en la hamaca con el sonido de las olas y las bolitas que cuelgan , parece que no pero realmente se entretiene hasta que llega a dormirse
RESPUESTA: positivo

EJEMPLO: la tela no es la que esperaba
RESPUESTA: neutro

EJEMPLO: Unos de los mejores champu que e provado
RESPUESTA:


MODEL OUTPUT

 es una de los mejores escritos que y provado


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

EJEMPLO: Llego el producto en muy mal estado,como si ya se hubiera usado.
RESPUESTA: negativo

EJEMPLO: Un poquito escaso pero funciona , hay que seguir bien todos los pasos
RESPUESTA: positivo

EJEMPLO: Desde que lo monte lo he usado varias veces y de momento todo bien, El montaje es muy facil. Buen producto.
RESPUESTA: positivo

EJEMPLO: Me he quedado un tanto decepcionado con el producto. Baja estabilidad, materiales poco resistentes, sensación de poco recorrido hacen que lo pagado sea lo justo por lo recibido. Vistas las críticas de anteriores compradores me esperaba más. Aún me estoy pensando si estrenarlo o si directamente proceder a su devolución.
RESPUESTA: neutro

EJEMPLO: El marco cubre más del marco del reloj. O sea invade la pantalla. Siempre quedan algunas burbujas, lo he instalado 3 veces. Por último, y lo peor de todo, horrible la sensación táctil. Casi no obedece. Estoy a punto de quitarlo y comprar otro. Y eso que compre dos de este modelo.
RESPUESTA: negativo

EJEMPLO: Lindo producto pero la segunda vez que l use se le salió una goma y no lo pude usar más
RESPUESTA:


MODEL OUTPUT

 lindo producto, pero la segunda vez que el uso se le salió una goma y no lo puede usar más


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

EJEMPLO: Nunca llegué a recibirlo!!!!
RESPUESTA: negativo

EJEMPLO: Para llevarlo en la autocaravana para mi yorsay
RESPUESTA: positivo

EJEMPLO: Llegó en su tiempo. Por el precio no está mal pero me esperaba otra cosa.
RESPUESTA: negativo

EJEMPLO: Malisimas. Las he tenido que tirar. El cierre se deforma ademas han venido super sucias.
RESPUESTA: negativo

EJEMPLO: Apenas 4 meses y ya no carga. Mucho peor que la batería original
RESPUESTA: negativo

EJEMPLO: Nunca me llegó la sudadera
RESPUESTA:


MODEL OUTPUT

 negative EJEMPLO: Nunca me llegó la sudadera


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

EJEMPLO: Cumple su función, aunque la calidad de los materiales deja algo que desear. Se ve que es plástico del barato y da sensación de fragilidad. Veremos como aguanta el paso del tiempo y los usos.
RESPUESTA: neutro

EJEMPLO: Un poquito escaso pero funciona , hay que seguir bien todos los pasos
RESPUESTA: positivo

EJEMPLO: He solicitado la devolución del producto, el producto no coincide con el ofertado, han mandado un kit con cuadro utensilios de muy mala calidad.
RESPUESTA: negativo

EJEMPLO: El plastico chirriaba, se abrian y cerraban con ruido. Una gran decepcion, esperaba mas de oakley. una gran marca, pero este producto un desastre.
RESPUESTA: negativo

EJEMPLO: Es bastante rígido, aunque le falta peso para una pegada dura.Muy buen material.
RESPUESTA: neutro

EJEMPLO: Es un poco frágil. Aunque es un buen producto el acabado de los materiales es un poco frágil en el segundo uso la rueda que regula la fuerza de la palanca salio disparada dándose de si el plástico de la palanca done se sujeta. Dicho eso el sistema de riego funciona muy bien y sus diferentes chorros hacen que el uso de la manguera para diferentes opciones muy fácil
RESPUESTA:


MODEL OUTPUT

 el sistema de riego funciona muy bien y sus diferentes chorros hacen que el uso de manguera para diferentes opciones muy fácil


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

EJEMPLO: Es tal y como aparece en las fotos
RESPUESTA: positivo

EJEMPLO: Llegó a tiempo y perfectamente embalado. Excelente móvil lo poco que lo he usado me ha resultado super rápido, fotos de excelente calidad, batería de larga durabilidad, buenos acabados, sonido excelente, fácil de usar y una pantalla con full color. Ha sido una buena compra.
RESPUESTA: positivo

EJEMPLO: Es justo lo que buscaba ni más ni menos y además es como la que tenía de hace ya años.
RESPUESTA: positivo

EJEMPLO: La dirección donde quieres enfocar la cámara, hay que moverla con la mano. Es tan endeble que con 6 meses que tiene la mía, ya se ha roto, y según como la enfoque, la imagen no se ve. Dinero tirado a la basura
RESPUESTA: negativo

EJEMPLO: Me gusta porque da un tono de color a la salita tipo cine ya que puede poner los tonos mas suaves o mas fuertes,son algo mas de 75cm y los mios rodean la tele como se ve en la foto,lo unico que veo un poco flojo es la cinta de pegar que no se lo que aguantara
RESPUESTA: positivo

EJEMPLO: Todo tal y como en la foto, mi hijo de 5 años está encantado y lo usa cuando hace skateboard.
RESPUESTA:


MODEL OUTPUT

 positive


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

EJEMPLO: El botón no funciona, con lo cual si quieres pararlo, necesitas quitarle las pilas. No lo recomiendo.
RESPUESTA: negativo

EJEMPLO: Buen producto y entrega rápida, esperaba que lucieran más blancas-azúl... Aunque sí son más blancas que las H7 de la marca
RESPUESTA: positivo

EJEMPLO: Después de unos meses de uso cumple su función. Materiales y acabados buenos, lo que no me gusta es que la ventana es muy oscura y cuesta ver la hora
RESPUESTA: neutro

EJEMPLO: Es facil de usar pero muy sensible y con los baches se desconecta
RESPUESTA: neutro

EJEMPLO: Contentísimos,el primer día trago agua hasta equilibrarse y después perfectos.... Mi niña tiene 2 años..
RESPUESTA: positivo

EJEMPLO: No funciona bien,marca una temperatura y cuando le ponemos el de toda la vida marca otra totalmente distinta.Mala compra,no te puedes fiar
RESPUESTA:


MODEL OUTPUT

 obviamente


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

EJEMPLO: Me encanto. Ya los he comprado varias veces.
RESPUESTA: positivo

EJEMPLO: No entiendo como funciona.donde se puede encontrar instrucciones fe funcionamiento en castellano?
RESPUESTA: negativo

EJEMPLO: No funciona. No he conseguido hacer que funcione. Lo he probado en varios mecheros de coches diferentes y no se llega a encender en ninguno de ellos.
RESPUESTA: negativo

EJEMPLO: El botón no funciona, con lo cual si quieres pararlo, necesitas quitarle las pilas. No lo recomiendo.
RESPUESTA: negativo

EJEMPLO: El marco cubre más del marco del reloj. O sea invade la pantalla. Siempre quedan algunas burbujas, lo he instalado 3 veces. Por último, y lo peor de todo, horrible la sensación táctil. Casi no obedece. Estoy a punto de quitarlo y comprar otro. Y eso que compre dos de este modelo.
RESPUESTA: negativo

EJEMPLO: He intentado con diferentes ordenadores y pantallas y no funciona. No reconoce los dispositivos. No lo recomiendo para nada.
RESPUESTA:


MODEL OUTPUT

 negative EJEMPLO: He intentado con diferentes ordenadores y pantallas y no funciona. No reconocer los dispositivos. No recomiendo para nada.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

EJEMPLO: La funda para el sofá es muy fina. El material no transmite sensación de que vaya a durar en el tiempo, pero por el precio que tiene no podría pedirse algo mejor, o si?. Compré una funda de marca para la barbacoa y comprado con esta es de risa. En principio hace de repelente de agua, pero no lo he probado con lluvia torrencial, lo he probado tirándole un poco de agua en una zona con un vaso. Habría que volver a valorar esta funda con el paso del tiempo para ver si merece la pena o no su compra.
RESPUESTA: neutro

EJEMPLO: El armario está bastante bien. Pero el tema de mensajeria deja mucho que desear, aunque llego relativamente rapido (algo menos de 2 semanas), vino con varios golpes los cuales dificultan el montaje e interrumpen el cierre y apertura de puertas
RESPUESTA: neutro

EJEMPLO: Estaba buscando unos cuchillos de carne que me durasen para muchísimo tiempo sin importarme gastar un poco más. A veces es mejor no comprar barato. Estos cuchillos van a sustituir a unos antiguos que tenía que aunque hacían bien su función se me fueron estropeando porque el mango era de plástico y de tanto lavado se fue estropeando esta parte. A primera vista ya se aprecia que son de muy buena calidad por los materiales con los que están fabricados. A destacar también el envoltorio ya que son perfectos para regalar. Muy buena compra.
RESPUESTA: positivo

EJEMPLO: Su estabilidad es muy buena, al igual que su uso. Pesa poco y ofrece mucha seguridad. Ideal para llegar a cualquier sitio normal.
RESPUESTA: positivo

EJEMPLO: Le había dado cinco estrellas y una opinión muy positiva, el aparato funcionó bien mientras funcionó, el problema es que funcionó poco tiempo. Hoy, apenas tres meses después de adquirirlo, he ido a encenderlo y en lugar de arrancar se ha quedado parado. Unos segundos más tarde ha soltado un chispazo y ahí se ha quedado. No se le ha dado ningún golpe, ni se ha usado para nada distinto a su finalidad, así que la única explicación lógica es que viniera defectuoso de fábrica. Amazon me va a reembolsar el importe en garantía en cuanto lo devuelva, así que por ese lado no tengo queja.
RESPUESTA: negativo

EJEMPLO: Leyendo las opiniones de otros compradores no sabia que esperar. Las habia buenas y malas. Yo me quede a medias. Pense que se quedaria mas cerrado, y aunque aun no lo he probado con frutos secos (almendras...) que era principalmente para lo que lo queria, el sistema de cierre que tiene no me da ninguna seguridad. Para cosas de mayor tamaño si lo veo adecuado para transportarlas (manzana, platano...) Si en lugar de un unico velcro, la tapa tuviese dos velcros si lo veria seguro (posiblemente me haga yo un apaño casero)
RESPUESTA:


MODEL OUTPUT

 Pense que se quedaria mas cerrado, y aunque aun no lo probado con frutos secos (almendras...) que era principalmente para lo que lo queria, el sistema de cierre


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

EJEMPLO: Me da vergüenza escribir esta opinión, puesto que estoy esperando este artículo desde el mes de Agosto y estamos en Octubre. siempre Amazon me ha atendido bien, pero no tengo por menos de indicar que een este pedido, que aun no HE RECIBIDO ha fallado, bien sea Amazón ço el Proveedor, pero en cualquier caso yo lo HE COMPRADO A AMAZON.
RESPUESTA: negativo

EJEMPLO: Bueno en la oferta se incluían 5 piezas para soporte que no llegaron con el paquete
RESPUESTA: neutro

EJEMPLO: El cristal se adhiere por adhesivo, no por estática. La primera vez que se me cayo, se movio. La segunda se desprendió y quedó inutilizable sin llegar a romperse. Defraudado.
RESPUESTA: negativo

EJEMPLO: Buen producto y entrega rápida, esperaba que lucieran más blancas-azúl... Aunque sí son más blancas que las H7 de la marca
RESPUESTA: positivo

EJEMPLO: Despues de 2 dias esperando la entrega ,tuve que ir a buscarlo a la central de DHL de tarragona ,pese a haber pagado gastos de envio (10 euros),y encima me encuentro con un paquete todo golpeado en el que faltan partes del embalaje de carton y el resto esta sujeto por multitud de tiras de celo gigantesco pata que no se desmonte el resto de la caja ,nefasto he hecho varias reclamaciones a la empresa de transporte y encima me encuentro el paquete en unas condiciones horrorosas con multiples golpes,espero que al menos funcione.Nada recomendable,ni el vendedor ni amazon ni por supuesto el transportista DHL.
RESPUESTA: negativo

EJEMPLO: Nunca se entregó el paquete, quise pedir un reembolso per nadie se hace cargo. Es la segunda vez que me pasa con Amazon
RESPUESTA:


MODEL OUTPUT

 el reembolo es una reembola para nadie se hace cargo.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

EJEMPLO: Anatómicamente no me sirve, lo encuentro incómodo. Demasiado grande.
RESPUESTA: negativo

EJEMPLO: És un aparato que calidad precio no se puede pedir nada más, no tiene sorpresa,és un aparato sencillo
RESPUESTA: neutro

EJEMPLO: A pesar de estar tomándome este producto durante dos meses y medio religiosamente cada día ,no sirve absolutamente de nada, porque sigo blanca como la pared. Admiro a las personas que lo han tomado y les ha funcionado pero desde luego a mí, no ha sido el caso. Decían que empezaba a funcionar desde el segundo mes pero pienso que aunque lo tomase 12 meses seguiría igual.
RESPUESTA: negativo

EJEMPLO: Muy fino, abriga poco
RESPUESTA: neutro

EJEMPLO: Parece que protege bien, pero lo he devuelto porque no se apoya de manera estable. Queda demasiado vertical y es fácil que se caiga.
RESPUESTA: negativo

EJEMPLO: Demasiado aparatosa.
RESPUESTA:


MODEL OUTPUT

 negative


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

EJEMPLO: Esta bien, es fino, queda mas grande de lo que se indica en el tallaje. El gorro también es grande.
RESPUESTA: neutro

EJEMPLO: No es el articulo de calidad que parece ademas se equivocaron de talla y tuve que devolverlas
RESPUESTA: negativo

EJEMPLO: Resistente y con una batería muy duradera Ideal para trabajar en talleres. Un teléfono mediano de características técnicas a un precio muy bueno
RESPUESTA: positivo

EJEMPLO: Muy pequeña. Compra como mínimo dos tallas más de las que necesites.
RESPUESTA: neutro

EJEMPLO: Era un regalo y la verdad que esta dando la talla que deseaba!! Facil de utilización y muy creativo.
RESPUESTA: positivo

EJEMPLO: El tallaje no se corresponde pero son muy elásticos y encima me han enviado uno de ellos con una talla más pequeña.
RESPUESTA:


MODEL OUTPUT

 positive


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

EJEMPLO: Me parece una Porqueria pero la niña lo pidió a los reyes y ella está feliz
RESPUESTA: neutro

EJEMPLO: El arte del juego es precioso. La historia merece ser vista al menos. La edición coleccionista, a ese precio, y con este juego, merece salir de camino a casa de cualquier jugon.
RESPUESTA: positivo

EJEMPLO: Muy pesado, difícil de desmontar, el color se desgasta, la cesta de atrás siempre con mucho polvo, he de limpiarla todos los días
RESPUESTA: neutro

EJEMPLO: El envío muy rápido, el mismo día del lanzamiento del libro. La lástima es que me lo han mandado algo deteriorado, en la parte superior hay una zona que está como rasgada. Era para un regalo.
RESPUESTA: neutro

EJEMPLO: Hola buenas, me llego el reloj el dia 11 y no funciona bien, le tocas para ver la hora o ponerlo en marcha y va cuando quiere, le tienes que dar muchisimas veces. Lo que deseo saber es como hacer la devolución y que me enviarán otro en perfecto estado. Gracias Atentamente Paqui
RESPUESTA: negativo

EJEMPLO: Cuando escuchas música conectando tus auriculares al puerto lighting de la funda, estos se desconectan con facilidad. Por lo demás todo bien, es un palo ir cargándolo todos los días y además pesa demasiado, pero te salva bastante la vida cuando te quedas sin batería al final del día.
RESPUESTA:


MODEL OUTPUT




PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

EJEMPLO: Quedan perfectas y para mi gusto sientan mejor que el modelo OS que también tengo y resulta caluroso frente a este.
RESPUESTA: positivo

EJEMPLO: Cumple con su propósito perfectamente , dispongo de un portátil bastante fino que no dispone de suficientes puertos USB ni de HDMI , con este hub solucionado , va bien rápido tiene buenos materiales y es pequeño. La verdad que muy contento con el producto
RESPUESTA: positivo

EJEMPLO: El producto y su propia caja en el que viene empaquetado los botes es bueno, pero la caja del envío del trasporte es horrible. La caja del transporte llego completamente rota. De tal manera que los botes me los entregaron por un lado y la caja por otro. El transporte era de SEUR, muy mal.
RESPUESTA: neutro

EJEMPLO: Tenía un disco duro de 80 GB procedente de un portátil que tiré y me daba pena tirarlo. Compré esta carcasa, bien barata, y ahora tendo un USB de 80 GB. Como digo: Perfecto y barato.
RESPUESTA: positivo

EJEMPLO: Me ha llegado bien pero al abrirlo observo que falta el adaptador tipo C que indica el anuncio. Confío que me lo envien
RESPUESTA: neutro

EJEMPLO: Necesitaba un ordenador portátil y aunque yo no tengo mucha idea de portátiles, me leí todas las opiniones que se decían de este modelo Lenovo, ya que está marca no la conocía. El ordenador va bien aunque para mi gusto un poco lento.
RESPUESTA:


MODEL OUTPUT

 el ordenador es el objeto portátil y el objeto que tuvo es el objeto portátil y el objeto que tuvo el objet


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

EJEMPLO: Aparentemente tiene muy buena calidad y un gran precio para venir tres protectores. Ningún problema a nivel táctil muy transparente, del tamaño exacto para la pantalla. Sin embargo, el primero no fui capaz de que se adhiriera a la pantalla (quedaba despegado la mitad); pensé que era mi inexperiencia. El segundo quedó ya mejor, pero aún y todo, no adherido del todo. Y ahí ya no es por exceso de confianza. Gracias a que uso una funda tipo libro la pantalla no queda expuesta y he reservado el tercer protector para más adelante.
RESPUESTA: neutro

EJEMPLO: En realidad no es muy ligero, pero tampoco es algo que incomode por el grosor que aporta al móvil.
RESPUESTA: neutro

EJEMPLO: El protector de pantalla llegó un poco roto.
RESPUESTA: neutro

EJEMPLO: Preparo comida a primera hora de la mañana para llevármela a la oficina y con cremas y sopas me encuentro que, aún pasadas 6h, la comida está muy caliente y debo andar con ojo para no quemarme la boca.
RESPUESTA: positivo

EJEMPLO: Lo compré para arreglar el cristal de mi móvil. Pues bien, cuando lo puse (lo seque con la máquina de secado UV la recomendada). Cuando encendí el móvil, el pegamento había dejado unas manchas horrorosas donde se veía el pegamento y al poco rato me dejo de funcionar la pantalla LCD. Chicos no lo compréis si no queréis joder vuestro teléfono móvil. Horrible el producto.
RESPUESTA: negativo

EJEMPLO: Compré el protector para el móvil de mi hija... en menos de 2 meses tiene ya la pantalla rota, sin golpes bruscos ni caidas de móvil, eso si el protector intacto. No parece que proteja mucho
RESPUESTA:


MODEL OUTPUT

 en menos de 2 meses tiene ya la pantalla rota, sin golpes bruscos ni caidas de móvil, eso si el protector intacto.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

EJEMPLO: Funciona bien, pero a veces apretando se suelta.
RESPUESTA: neutro

EJEMPLO: No me gusta nada de nada....pero es lo que quiere mi hija. Lo espera con ilusión....así que....bueno. Me parece un juguete muy caro para lo que es.
RESPUESTA: negativo

EJEMPLO: El producto viene perfecto pero no como en la foto que aparece, y a mi me hubiese gustado elegir El color que me gustase
RESPUESTA: neutro

EJEMPLO: Su estabilidad es muy buena, al igual que su uso. Pesa poco y ofrece mucha seguridad. Ideal para llegar a cualquier sitio normal.
RESPUESTA: positivo

EJEMPLO: Regular, no han cumplido mis espectativas... cuando te las pones mojado se resbala el pie hacia todos sitios.
RESPUESTA: neutro

EJEMPLO: Hace su función, pero para mi gusto huele a azufre, osea, regular...
RESPUESTA:


MODEL OUTPUT

 eso hace su funciona, pero para mi gusto es azufre, osea, regular...


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

EJEMPLO: No me gusta nada de nada....pero es lo que quiere mi hija. Lo espera con ilusión....así que....bueno. Me parece un juguete muy caro para lo que es.
RESPUESTA: negativo

EJEMPLO: No leí comentarios y mi sorpresa al intentar encenderlo es que no encendia, al leer comentarios no era el único, así que lo devolví inmediatamente y no se me ocurrirá volver a comprarlo por aqui
RESPUESTA: negativo

EJEMPLO: En su línea, la verdad. Acción hasta el final, mujeres apasionantes, hombres enamorados y mucha acción. La verdad es que engancha desde el principio.
RESPUESTA: positivo

EJEMPLO: Es falso,trae una bomba que no es la de Loreal.He iniciado la devolución.
RESPUESTA: negativo

EJEMPLO: Me parece una Porqueria pero la niña lo pidió a los reyes y ella está feliz
RESPUESTA: neutro

EJEMPLO: Es una trilogia que se hace muy facil de leer. Me ha gustado, no me esperaba el final para nada
RESPUESTA:


MODEL OUTPUT

 es una trilogia que se hace muy facil de leer. Me ha gustado, no me esperaba el final para nada


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

EJEMPLO: No funciona la carga, aunque si el audio
RESPUESTA: negativo

EJEMPLO: No es compatible con iphone x, a los 2 minutos te salta el mensaje y deja de funcionar.. no lo compreis no sirve para nada.
RESPUESTA: negativo

EJEMPLO: He probado varios auriculares ya. Estos sin duda son los que mejor resultado dan en cuanto a sonido y comodidad se refiere. Totalmente recomendable.
RESPUESTA: positivo

EJEMPLO: Buen precio para la gran capacidad que tiene. No tiene ruido y es totalmente manejable.
RESPUESTA: positivo

EJEMPLO: Cuando una marca de prestigio pone un producto al mercado uno espera un mínimo de calidad, Samsung Galaxy Fit e , no lo és. Tiene varios problemas, pero el más significativo es que a la hora de deslizar las pantallas con el dedo te das cuenta que no funciona o que lo hace aveces, creo que Samsung no ha estado a la altura de lo que de ellos se espera. El único consuelo que nos queda es que estos fallos puedan ser corregidos por una actualización, y así disfrutar y no desesperarse de esta pulsera que por diseño merecería un mejor trato de su fabricante.
RESPUESTA: negativo

EJEMPLO: Los auriculares tienen un diseño atractivo, se emparejan facilmente y funcionan bien. Pero el audio es muy mejorable, tiene un sonido enlatado completamente, también puede ser porque estoy acostumbrado a los del iphone que sinceramente se escuchan muy muy bien. Pero en cuanto al audio de unos auriculares soy bastante exigente.
RESPUESTA:


MODEL OUTPUT

 auriculares


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

EJEMPLO: En realidad no es muy ligero, pero tampoco es algo que incomode por el grosor que aporta al móvil.
RESPUESTA: neutro

EJEMPLO: He probado el manómetro y no aguanta con la presión para compararla, la va perdiendo poco a poco, y no es igual que otros manómetros.
RESPUESTA: neutro

EJEMPLO: Estoy muy defraudada,ponía 2 fechas de entrega y ni una ni otra,y aún estoy esperando una respuesta de por qué no me ha llegado el producto.Si no lo hay,pues que me devuelvan el dinero.Exijo una respuesta y una solución yaaa!!!!
RESPUESTA: negativo

EJEMPLO: Pues efectivamente como ponen comentarios anteriores ....duro el rollo 30 minutos si es q llego, recambios no encuentras, una decepción total. Lo triste es q lo pidió mi niña de 4 años para Reyes y ahora q hace con eso? Pongo una estrella pq no me deja poner cero.
RESPUESTA: negativo

EJEMPLO: Es suave y como de poner
RESPUESTA: positivo

EJEMPLO: No soy capaz de ponerlo en funcionamiento. Poner hora..., y de más funciones. El móvil no pilla el reloj. Ayuda!!!!!!!!
RESPUESTA:


MODEL OUTPUT

 ayuda!!!!!!!!


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

EJEMPLO: Su estabilidad es muy buena, al igual que su uso. Pesa poco y ofrece mucha seguridad. Ideal para llegar a cualquier sitio normal.
RESPUESTA: positivo

EJEMPLO: Entretenido pero preguntas muy difíciles para los niños y los que no son tan niños
RESPUESTA: neutro

EJEMPLO: A los 3-4 dias dd haber llegado el telefono, la camara trasera dejo de funcionar. Me puse en contacto con ellos para tramitar un cambio, pero me pedian que devolviera este primero y luego ellos me mandaban otro, por lo que me quedaba sin movil, creo que lo mas conveniente es igual que viene el mensajero a traerme uno nuevo, a ma vez que se lleve el estropeado... no me podia quedar sin movil ya que solo tengo este y lo necesito. A dia de hoy todavía ando con el movil sin camara trasera... un desastre. NO LO RECOMIENDO PARA NADA!
RESPUESTA: negativo

EJEMPLO: Pues efectivamente como ponen comentarios anteriores ....duro el rollo 30 minutos si es q llego, recambios no encuentras, una decepción total. Lo triste es q lo pidió mi niña de 4 años para Reyes y ahora q hace con eso? Pongo una estrella pq no me deja poner cero.
RESPUESTA: negativo

EJEMPLO: La funda no esta mal, pero en la parte trasera vienen 4 apoyos blancos, uno de ellos venia muy mal pegado y al segundo día lo perdí.Me esperaba mas por su precio.
RESPUESTA: neutro

EJEMPLO: La compré para mi sobrino de 4 años y le encantó. La parte delantera es dura y atrás normal, por lo que si quieres guardarla se puede plegar fácilmente. Es de tamaño medio, lo normal para un niño pequeño. Para adultos no la veo.
RESPUESTA:


MODEL OUTPUT

 el comn para mi sobrino de 4 aos y le encantó. La parte delantera es dura y atrás normal, por lo que si quieres guardarla se puede


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

EJEMPLO: Cómodo y muy bien la Calidad precio
RESPUESTA: positivo

EJEMPLO: No puedo opinar sobre cómo va el producto apenas me acaba de llegar . Pero opino sobre la rapidez del envío. Me ha llegado antes de Lo previsto. Gracias
RESPUESTA: neutro

EJEMPLO: Muy buena calidad. Envio rápido y correcto.
RESPUESTA: positivo

EJEMPLO: Cumple sin más, relación calidad/precio aceptable. Fácil de instalar. La verdad que hay otras opciones que me parecen mejor, pero no está mal.
RESPUESTA: neutro

EJEMPLO: Cumplen satisfactoriamente con la función. Se pueden recortar y son gruesas. Buena relación calidad precio
RESPUESTA: positivo

EJEMPLO: buena relación precio calidad,envio rápido
RESPUESTA:


MODEL OUTPUT

 positive


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

EJEMPLO: Es un buen cinturón, estoy contento con el, se le ve de buen material y funciona de manera perfecta, contento.
RESPUESTA: positivo

EJEMPLO: Por lo que cuesta, no está mal, recomendable su compra, como producto asequible.
RESPUESTA: neutro

EJEMPLO: Bien, en cuanto a que cubre perfectamente prácticamente toda la pantalla, encajando casi a la perfección en todos los agujeros, pero...quedan reflejos tipo espejo, habrá personas que esto no les suponga ninguna molestia, pero para mi es bastante molesto, una lástima porque por lo demás está muy bien, pero esto último para mi es determinante, el anterior no cubría tan bien pero no reflejaba de esta manera, siendo más cómodo para la vista.
RESPUESTA: neutro

EJEMPLO: Cumplen satisfactoriamente con la función. Se pueden recortar y son gruesas. Buena relación calidad precio
RESPUESTA: positivo

EJEMPLO: Lo compré para un regalo y será utilizado con un iPhone X. No he tenido la oportunidad de probarlo con dicho teléfono, pero puedo hablar de la excelente calidad de los materiales, es pesado, se siente firme y tiene franjas con goma tanto en la parte superior para que el teléfono no se deslice y en su parte inferior para que no se deslice sobre la superficie donde se ubica. Sólo lo he conectado para probar las luces (azules) y si colocas un dispositivo para cargar, estás parpadean muy lentamente unas 5 veces y luego se apagan definitivamente, cosa que es de agradecer si lo vas a usar en tu mesa de noche. Por ahora lo recomiendo estéticamente, luego informaré de su funcionamiento.
RESPUESTA: positivo

EJEMPLO: Lo tenemos hace varias semanas y su funcionamiento es perfecto. Compra realizada por recomendación especializada Un aparato que cubre con su función sobradamente, preciso y de fácil manejo.
RESPUESTA:


MODEL OUTPUT




PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

EJEMPLO: El botón no funciona, con lo cual si quieres pararlo, necesitas quitarle las pilas. No lo recomiendo.
RESPUESTA: negativo

EJEMPLO: Queda un poco holgada para una cama de 150, no se ajusta del todo. El blanco no es que sea muy blanco y estas sábanas de Amazon Basics tienen todas mucha electricidad estática, recomiendo lavarlas antes de ponerlas, si no, producen muchas chispas.
RESPUESTA: neutro

EJEMPLO: Se le caen los brillantes y andan por donde pase la niña. Que termina quedándose feo, solo con la manchita del pegamento donde venia el brillante que es como una lentejuela
RESPUESTA: neutro

EJEMPLO: Hola buenas, me llego el reloj el dia 11 y no funciona bien, le tocas para ver la hora o ponerlo en marcha y va cuando quiere, le tienes que dar muchisimas veces. Lo que deseo saber es como hacer la devolución y que me enviarán otro en perfecto estado. Gracias Atentamente Paqui
RESPUESTA: negativo

EJEMPLO: No sale ni una gota con las dos que no vienen numeradas. Con la del número 2 que tenía en casa si pasan los cereales, y con las otras dos que son el número 4, no hay manera. Estoy por abrirle con una cuchilla.... Dinero tirado a la basura.
RESPUESTA: negativo

EJEMPLO: Cuando leí su venta, hablan de que el disco es de 125, pues bien el Disco No lo mandan, es un fallo no decirlo ya que llama a equivocación, si llego a saber que no lo traía no lo hubiese comprado.
RESPUESTA:


MODEL OUTPUT

 Qué es el disco de 125, pues bien el disco no mandan, es una ltima ltima ltima ltima ltima ltim


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

EJEMPLO: Lo siento pero solamente por lo mal que ha resultado el envío con MRW y el tiempo que me han hecho perder para poder tener el paquete no volvería a comprarlo.
RESPUESTA: negativo

EJEMPLO: Llego en el tiempo previsto
RESPUESTA: neutro

EJEMPLO: Envío rápido pero la bolsa viene sin caja ( en otras tiendas online viene mejor empaquetado) y por consecuencia la bolsa tenía varios puntos con agujeros... La comida está en buen estado pero ya no te da la misma confianza. Fecha de caducidad correcta.
RESPUESTA: neutro

EJEMPLO: La funda para el sofá es muy fina. El material no transmite sensación de que vaya a durar en el tiempo, pero por el precio que tiene no podría pedirse algo mejor, o si?. Compré una funda de marca para la barbacoa y comprado con esta es de risa. En principio hace de repelente de agua, pero no lo he probado con lluvia torrencial, lo he probado tirándole un poco de agua en una zona con un vaso. Habría que volver a valorar esta funda con el paso del tiempo para ver si merece la pena o no su compra.
RESPUESTA: neutro

EJEMPLO: El sonido me a parecido bastante decente pero me hacen daño en las orejas después de un tiempo puestos. Los he devuelto
RESPUESTA: neutro

EJEMPLO: Vino en su tiempo pero dañado en algunas zonas. Hablé con el vendedor y me quiso dar solución, pero no podía estar sin ello más tiempo
RESPUESTA:


MODEL OUTPUT

 No qué es el tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos un


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

EJEMPLO: Mi hija está encantada , con 6 años tiene las uñas pequeñas todavía y le quedan muy justas las calcomanías pero ella está encantada
RESPUESTA: positivo

EJEMPLO: ha salido con defecto, en llamadas salientes no se oye al interlocutor, lo cambie por otro igual y he tenido el mismo problema
RESPUESTA: negativo

EJEMPLO: No me la han enviado y me lo confirmaron 40 días más tarde y porque yo me preocupé. Mal servicio y atención
RESPUESTA: negativo

EJEMPLO: Me ha encantado lo fácil que es de usar, con las instrucciones claras y entre 45 minutos y 60 minutos te deja la piel como el tercio pelo. En unos meses repetire para tener los pies perfectos como las manos, que además parece la piel de los bebes.
RESPUESTA: positivo

EJEMPLO: Aún no lo he probado. Algo malo es que vienen las instrucciones en inglés y nada en español.
RESPUESTA: neutro

EJEMPLO: Es un timo, la descripción es falsa. No son 20 w, en la caja directamente pone ya 5 w cuando lo abres y al escucharlo por primera vez te das cuenta que es así porque suena muy muy bajo.
RESPUESTA:


MODEL OUTPUT

 No , n


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

EJEMPLO: Aparentemente tiene muy buena calidad y un gran precio para venir tres protectores. Ningún problema a nivel táctil muy transparente, del tamaño exacto para la pantalla. Sin embargo, el primero no fui capaz de que se adhiriera a la pantalla (quedaba despegado la mitad); pensé que era mi inexperiencia. El segundo quedó ya mejor, pero aún y todo, no adherido del todo. Y ahí ya no es por exceso de confianza. Gracias a que uso una funda tipo libro la pantalla no queda expuesta y he reservado el tercer protector para más adelante.
RESPUESTA: neutro

EJEMPLO: No están mal aunque son enormes, yo e cortado la parte de los aros y las puse en la parte trasera ya que sino ocupa mucho espacio.
RESPUESTA: neutro

EJEMPLO: Molde resistente y bueno. No pesa nada. Muy práctico.
RESPUESTA: positivo

EJEMPLO: Un desastre de producto. Los globos imposibles de inchar, sin instrucciones, Valvulas imposibles y que se rompen. No lo recomiendo en absoluto.
RESPUESTA: negativo

EJEMPLO: Máscaras muy sencillas, pero hacen su función, la parte de los ojos difícil de ver con ella puesta.
RESPUESTA: neutro

EJEMPLO: No me han llegado los protectores de esquinas y faltan un par de bloqueadores de puertas... supongo que sea un error. un saludo
RESPUESTA:


MODEL OUTPUT

 acerca de esquinas y faltan un par de bloqueadores de puertas... sencillo que está a error.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

EJEMPLO: Después de unos meses de uso cumple su función. Materiales y acabados buenos, lo que no me gusta es que la ventana es muy oscura y cuesta ver la hora
RESPUESTA: neutro

EJEMPLO: Cumple con lo indicado
RESPUESTA: positivo

EJEMPLO: Todo perfecto, gran calidad a un gran precio y dificil de encontrar por llevar el destornillador en lugar del sacacorchos.
RESPUESTA: positivo

EJEMPLO: Un desastre de producto. Los globos imposibles de inchar, sin instrucciones, Valvulas imposibles y que se rompen. No lo recomiendo en absoluto.
RESPUESTA: negativo

EJEMPLO: En realidad no es muy ligero, pero tampoco es algo que incomode por el grosor que aporta al móvil.
RESPUESTA: neutro

EJEMPLO: cumple su función de apilar muchas latas y su consumo por orden de entrada, pero le falta algo al diseño porque si no se hace con cuidado, las latas se desbordan y caen, y por otro lado la zona superior debería cumplir mejor su misión de estante porque al colocar algo encima tiende a caerse por el fondo y obstaculiza el movimiento de las latas de la fila superior.
RESPUESTA:


MODEL OUTPUT

 c) c) d) d) d) d) d) d) d) d) d) d) d) d) d) d) d) d) d) d) d)


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

EJEMPLO: En poco tiempo el asa que sube y baja ya no funciona correctamente. Estoy decepcionada, ya que era para utilizar todas las semanas.
RESPUESTA: neutro

EJEMPLO: Es de papel muy delicado.Al abrirla se rompio un poco pero luego no se nota, no incluye ningun cable ni rosca para la bombilla, tienes que comprarlo aparte.
RESPUESTA: neutro

EJEMPLO: SIEMPRE LO COMPRO, PERO LO MALO ES EL PRECIO, MUY CARO Y CADA VEZ LO SUBEN MAS DE PRECIO CUANDO SON UNAS PEGATINAS. NO OBSTANTE, HACEN SU USO, PERO SOLO POR UNOS DIAS ESCASOS... AUN ASI ES UNA NOVEDAD
RESPUESTA: neutro

EJEMPLO: Después de un año de tenerlas, muy contenta. Tras varios lavados y secadoras no tiene bolitas. Muy buena calidad. Lo único que la funda de cojín es demasiado grande para mi gusto.
RESPUESTA: positivo

EJEMPLO: Llego una semana despues de lo.acordado y encima me lo quieren cobrar mada huevos,
RESPUESTA: negativo

EJEMPLO: Funciona genial. Hemos tenido suerte y hemos podido escuchar al bebé desde la semana 10. Estaba un poco indecisa a comprarlo por su alto precio en comparación a otros dispositivos, pero creo que merece la pena. (Es muy cómodo que sea sin cables y sin pilas. Además puedes grabar los latidos). Muy satisfecha con la compra.
RESPUESTA:


MODEL OUTPUT

 M


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

EJEMPLO: Un poquito escaso pero funciona , hay que seguir bien todos los pasos
RESPUESTA: positivo

EJEMPLO: Es de papel muy delicado.Al abrirla se rompio un poco pero luego no se nota, no incluye ningun cable ni rosca para la bombilla, tienes que comprarlo aparte.
RESPUESTA: neutro

EJEMPLO: no me llego el pedido
RESPUESTA: negativo

EJEMPLO: Es pequeño, silencioso y no pesa nada. Lo uso para calentar una habitación de tamaño medio y a los 10 minutos (a máxima potencia) tengo que apagarlo porque hace calor. Genial.
RESPUESTA: positivo

EJEMPLO: Para el colegio son perfectos.Duran mucho tiempo.Llegaron antes de tiempo.
RESPUESTA: positivo

EJEMPLO: Para una urgencia que no encuentres los de Catit bien, pero para poco tiempo
RESPUESTA:


MODEL OUTPUT

 for a urgencia que no encuentres los de Catit bien, pero para poco tiempo


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

EJEMPLO: A mí no me las ha dejado muy limpias...o no se usarlo bien o no es tan efectivo como dicen.
RESPUESTA: neutro

EJEMPLO: Estaria bien que fuese mas largo el hueco pars que no se quede tsn colgado el pints labios. Cumple su funcion si no tienes mucho dinero.
RESPUESTA: neutro

EJEMPLO: bien te lo traen a casa y listo a funcionar
RESPUESTA: neutro

EJEMPLO: Funciona bien pero se nota que la calidad no es la de la original.
RESPUESTA: neutro

EJEMPLO: Me ha gustado porque tiene una buena estructura y gran capacidad para guardar ropa, calzado...
RESPUESTA: positivo

EJEMPLO: No me esperaba que funcionara tan bien,te salva en cualquier sitio de comer caliente!!.
RESPUESTA:


MODEL OUTPUT

 EJEMPLO: No esperaba que funcionara bien bien,te salvar en cualquier sitio de comer caliente!!


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

EJEMPLO: Cómodo y muy bien la Calidad precio
RESPUESTA: positivo

EJEMPLO: Està bien para el precio que tiene
RESPUESTA: neutro

EJEMPLO: Sirve, pero no tiene mucha calidad
RESPUESTA: neutro

EJEMPLO: Perfecto a un precio increíble
RESPUESTA: positivo

EJEMPLO: Cumple sin más, relación calidad/precio aceptable. Fácil de instalar. La verdad que hay otras opciones que me parecen mejor, pero no está mal.
RESPUESTA: neutro

EJEMPLO: Bien calidad precio.
RESPUESTA:


MODEL OUTPUT

 positive


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

EJEMPLO: Lo compré en una oferta del black-friday para algún regalo, y al final me lo quedé para los niños, es asequible y tiene muchas piezas para entretenerse con los imanes.
RESPUESTA: neutro

EJEMPLO: Funciona bien, pero a veces apretando se suelta.
RESPUESTA: neutro

EJEMPLO: Chulísimo,a la niña del cumple le ha encantado
RESPUESTA: positivo

EJEMPLO: los llaveros son de plástico finito,pero por el precio no se puede pedir más .Las pulseras tallan un poco grande para niños
RESPUESTA: neutro

EJEMPLO: Lo compre pensando en conectar para transmisión de datos y solo sirve para cargar la batería. Para esto último es práctico. Pero si lo quieres para otra cosa no vale.
RESPUESTA: neutro

EJEMPLO: Todo biem lo compre para una fiesta de niños
RESPUESTA:


MODEL OUTPUT

 es asequible y tiene muchas piezas para entretener con los imanes.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

EJEMPLO: Para el precio esta bien,el pegamento de las pegatinas no es el mejor,hay que hacer bastante presión y pegarla varias veces. Pero para el precio y la cantidad están bien.
RESPUESTA: neutro

EJEMPLO: Se limpia bien pero las plantillas que incluye son pegatinas, vamos que tienen pocos usos, deberían ser de otro material más resistente
RESPUESTA: neutro

EJEMPLO: A mi hija la ha encantado. Viene además 2 hojas con pegatinas de estrellas, círculos y formas pequeñas en color rojo y plata y se lo ha pasado genial pintando y pegándolas.
RESPUESTA: positivo

EJEMPLO: Lo compré para fijar una alfombra al suelo. Adhiere bien a la baldosa, pero no se pega completamente a la parte engomada de la alfombra. De todas formas, por el precio que tienen los 8 metros, no me arrepiento de la compra. Si veo que se mueve, lo coseré a la alfombra y problema resuelto. La entrega rápida y sin problemas.
RESPUESTA: neutro

EJEMPLO: Alumbran bien. Pero la cinta adhesiva pega muy poco. Nose si podrían enviar otra de mejor calidad. Gracias
RESPUESTA: neutro

EJEMPLO: Muy buen precio por la cantidad de pegatinas que ofrece. Hace tiempo compré una pegatina para el coche y costaba prácticamente lo mismo, mientras que ahora tengo 300 y puedo utilizarla para multitud de cosas. Muy contento la verdad, vienen pegatinas de marcas, de dibujos animados, de todo tipo.
RESPUESTA:


MODEL OUTPUT

 ltimo precio por la cantidad de pegatinas que ofrece. Hace tiempo compré una pegatina para el coche y costaba prácticamente lo mismo, mientras que


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

EJEMPLO: Es muy pequeña y tardó bastante en llegar. Pienso que es una pieza más para aire que para agua. El paso es muy pequeño.
RESPUESTA: neutro

EJEMPLO: No me gusta nada de nada....pero es lo que quiere mi hija. Lo espera con ilusión....así que....bueno. Me parece un juguete muy caro para lo que es.
RESPUESTA: negativo

EJEMPLO: Yo usaba el tamaño slim que compraba en el estanco y pensaba que estos eran iguales pero no, son aún más cortos. Yo uso una liadora manual y ya me apaño pero para quien los lie a mano necesitará práctica. Por lo demás, relación cantidad-precio excelente.
RESPUESTA: neutro

EJEMPLO: Esta bien, es fino, queda mas grande de lo que se indica en el tallaje. El gorro también es grande.
RESPUESTA: neutro

EJEMPLO: El unico problema que tiene es que los hielos son un poco pequeños y que la tapa no queda bien sujeta.
RESPUESTA: positivo

EJEMPLO: El tamaño está muy bien, es lo que esperaba. El pero que le pongo es que pierde aire aunque no esté pinchado. Al cabo de menos de una hora ya no está bien hinchada y hay que volver a meterle aire, pero vamos, bastante bien.
RESPUESTA:


MODEL OUTPUT

 eso es lo que esperaba. es lo que es que es que es que es que es que es que es que es que es que es que es que


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

EJEMPLO: Es un rollo para ponerlo en marcha...
RESPUESTA: neutro

EJEMPLO: Ha venido con el cerdito suelto y limado en ciertas zonas, la caja obviamente rota. Si lo quieres para exponer, exige mayor cuidado a la hora de la compra.
RESPUESTA: neutro

EJEMPLO: Es lo que buscaba, además viene en milímetros y no en centímetros.
RESPUESTA: positivo

EJEMPLO: de momento parece que cumple su cometido lo he probado un par de veces con distintas chapas y parece que va bien
RESPUESTA: neutro

EJEMPLO: Lo volvería a comprar
RESPUESTA: positivo

EJEMPLO: En el primer viaje se le ha roto una rueda.
RESPUESTA:


MODEL OUTPUT

 en el primer viaje se le ha roto una rueda.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

EJEMPLO: Está bien para el precio que tiene, no sirve para llevar cosas frías, el tamaño es un poco justo, caben dos tuppers pequeños y una lata
RESPUESTA: neutro

EJEMPLO: Cumple sin más, relación calidad/precio aceptable. Fácil de instalar. La verdad que hay otras opciones que me parecen mejor, pero no está mal.
RESPUESTA: neutro

EJEMPLO: No lo recomiendo!!! envío fue rápido .. pero muñeca tiene un ojito mal pintada ..estoy muy decepcionada con la compra deberían revisar los envíos antes de empaquetarlos
RESPUESTA: negativo

EJEMPLO: Me ha gustado mucho el producto. El diseño y calidad muy buenos. El pedido llegó muy rapido. Me ha encantado
RESPUESTA: positivo

EJEMPLO: La funda no esta mal, pero en la parte trasera vienen 4 apoyos blancos, uno de ellos venia muy mal pegado y al segundo día lo perdí.Me esperaba mas por su precio.
RESPUESTA: neutro

EJEMPLO: No esta mal ,tiene un precio razonable.La entrega a sido rápida y en buenas condiciones,esto bastante contenta con mi pedido
RESPUESTA:


MODEL OUTPUT

 positive


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

EJEMPLO: Buenos materiales. Gran sonido. Sin problemas de conexión con ningún dispositivo Bluetooth que he probado. Los leds le dan un toque chic.
RESPUESTA: neutro

EJEMPLO: Magnífico cable recibe la señal perfectamente.
RESPUESTA: positivo

EJEMPLO: Los dos usb de los laterales tienen el problema de que no son 100% accesibles, tienes la opción de forzar un poco la placa y sus conexiones o como yo he hecho usar una pequeña lima y retirar ese milímetro que te sobra
RESPUESTA: neutro

EJEMPLO: Para el precio que tienen, bastante bien van. No tiene manera de apagarlos o encenderlos si no es conectando/desconectando el cable.
RESPUESTA: neutro

EJEMPLO: No lleva conector spdif, ni óptico que ya se ve en la foto, ni coaxial! Es para un proyector y tengo que sacar el audio a unos altavoces (no me vale que salga por el HDMI)
RESPUESTA: negativo

EJEMPLO: Los he devuelto, son unos auriculares normales de cable pero que necesitan estar conectados al Bluetooth, con lo cual no son nada prácticos. Además una vez conectados se desconfiguran todo el tiempo y se dejan de oír sin razón aparte.
RESPUESTA:


MODEL OUTPUT

 el he devuelto, son unos auriculares normales de cable pero que necesitan estar conectados al Bluetooth, con lo que no son nada prácticos. a vez conectado


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

EJEMPLO: La relación calidad precio es correcta. Un modelo para principiantes en esta afición. En general correcto
RESPUESTA: neutro

EJEMPLO: La poca cantidad que venía en el sobre no da para ver resultados
RESPUESTA: negativo

EJEMPLO: Muy practico.Pero cuando hay sol no ves absolutamente nada.Las pulsaciones tampoco las marca bien.Pero por el precio no se puede pedir mas
RESPUESTA: neutro

EJEMPLO: Sirve, pero no tiene mucha calidad
RESPUESTA: neutro

EJEMPLO: És un aparato que calidad precio no se puede pedir nada más, no tiene sorpresa,és un aparato sencillo
RESPUESTA: neutro

EJEMPLO: Correcto pero no hidrata suficiente aun usandolo diariamente. Esperaba otro resultado mas sorprendente. Relacion precio y cantidad es correcta, pero la calidad un poco justa
RESPUESTA:


MODEL OUTPUT

 calidad


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

EJEMPLO: No me llegó lo que pedí y me vino incompleto
RESPUESTA: negativo

EJEMPLO: Lo compre pensando en conectar para transmisión de datos y solo sirve para cargar la batería. Para esto último es práctico. Pero si lo quieres para otra cosa no vale.
RESPUESTA: neutro

EJEMPLO: Me gusto porque llego muy rápido, pero luego no es muy practico ya q tienes que desmontar media silla xa poder ponerlos
RESPUESTA: neutro

EJEMPLO: A pesar de estar tomándome este producto durante dos meses y medio religiosamente cada día ,no sirve absolutamente de nada, porque sigo blanca como la pared. Admiro a las personas que lo han tomado y les ha funcionado pero desde luego a mí, no ha sido el caso. Decían que empezaba a funcionar desde el segundo mes pero pienso que aunque lo tomase 12 meses seguiría igual.
RESPUESTA: negativo

EJEMPLO: El sonido me a parecido bastante decente pero me hacen daño en las orejas después de un tiempo puestos. Los he devuelto
RESPUESTA: neutro

EJEMPLO: Lo devolví porque era imposible llevar tal peso en mis viajes. Casi medio kilo. No me fijé en ese dato.
RESPUESTA:


MODEL OUTPUT

 eso es el tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

EJEMPLO: No pesa, no abulta, no se mueve. Me parece perfecto. Para una micro cuatro tercios, es perfecto. Si lo recomiendo.
RESPUESTA: positivo

EJEMPLO: Pues me dejé guiar por las buenas opiniones y al final ha sido un triunfazo!! a todos en casa les ha encantado. Fácil de instalar. Todo en él es metálico lo que le da robustez. He probado un poco el sonido y bueno no hay color de grabar con este micrófono a uno de auriculares que usaba antes, lo que si aconsejo que no lo pongais muy cerca de la torre del ordenador y más si es antigua porque por muy bueno que sea el micro milagros no hace jeje Viene con un usb que por ejemplo yo lo usaré para ponerlo en el portatil y poder conectarle el microfono y unos auriculares y así poder editar con él.
RESPUESTA: positivo

EJEMPLO: Es una maravilla nos ha llegado super rapido y mis hijos estan encantados construyendo toda clase de cosas,me parece un juego muy didactico y que les ayuda a pensar y desarrollar su creatividad, en mi caso buscaba algo asi y he acertado Los materiales son muy buenos
RESPUESTA: positivo

EJEMPLO: SIEMPRE LO COMPRO, PERO LO MALO ES EL PRECIO, MUY CARO Y CADA VEZ LO SUBEN MAS DE PRECIO CUANDO SON UNAS PEGATINAS. NO OBSTANTE, HACEN SU USO, PERO SOLO POR UNOS DIAS ESCASOS... AUN ASI ES UNA NOVEDAD
RESPUESTA: neutro

EJEMPLO: Hice pan y la verdad es que va muy bien!
RESPUESTA: positivo

EJEMPLO: La compré por su precio pero la verdad recomiendo si o si una caja ATX aunque tengas una placa Micro ATX. Muy poco espacio para montar los componentes y aveces hay que hacer virguerías para poder ensamblar todo...
RESPUESTA:


MODEL OUTPUT

 el computador de ese precio pero la verdad recomiendo si o si una cája ATX aunque tengas una cája ATX. Muy poco espacio para mont


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

EJEMPLO: Firmware verde. No lo he podido configurar con Movistar. Sin Triple Vlan de momento y Router siempre sin conexión a internet. Restaurado sin éxito
RESPUESTA: negativo

EJEMPLO: Un poquito escaso pero funciona , hay que seguir bien todos los pasos
RESPUESTA: positivo

EJEMPLO: Todo correcto, Muy recomendable. Buena opción para tener cables de reserva. Envio rapidisimo! Excelente relación calidad/precio. Recomendable para la empresa y en casa.
RESPUESTA: positivo

EJEMPLO: Pues me dejé guiar por las buenas opiniones y al final ha sido un triunfazo!! a todos en casa les ha encantado. Fácil de instalar. Todo en él es metálico lo que le da robustez. He probado un poco el sonido y bueno no hay color de grabar con este micrófono a uno de auriculares que usaba antes, lo que si aconsejo que no lo pongais muy cerca de la torre del ordenador y más si es antigua porque por muy bueno que sea el micro milagros no hace jeje Viene con un usb que por ejemplo yo lo usaré para ponerlo en el portatil y poder conectarle el microfono y unos auriculares y así poder editar con él.
RESPUESTA: positivo

EJEMPLO: Lo he probado en un Mac con sistema operativo High Sierra y al instalar los drivers me ha bloqueado el ordenador. He mirado en la página del fabricante y no tienen soporte actualizado para la última versión del SO de Mac.
RESPUESTA: negativo

EJEMPLO: es fácil de poner e instalar pero , en cuanto le pides un poco más de lo normal, no responde. El tener solo una boca hace que tengas que poner un switch y, si de ese sale un cable que va a otra habitación en la que hay otro switch la velocidad cae drásticamente. Probablemente sea más culpa del switch pero no he conseguido dar con alguno que no de ese problema, cosa que no me ocurría con un router estandard de los de asus con 4 bocas. También he experimentado problemas y he tenido que reconfigurar equipos como un NAS y demás En fin, para un instalación simple de router y todo wifi más acces point vale, pero no lo recomendaría si tienes una configuración algo más compleja
RESPUESTA:


MODEL OUTPUT




PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

EJEMPLO: Todavía no he tenido tiempo de probarlo, a tener en cuenta que no lleva pilas, hay que comprarlas , son de las pequeñas no de las de boton sino de las otras.
RESPUESTA: neutro

EJEMPLO: Era un regalo y la verdad que esta dando la talla que deseaba!! Facil de utilización y muy creativo.
RESPUESTA: positivo

EJEMPLO: La funda para el sofá es muy fina. El material no transmite sensación de que vaya a durar en el tiempo, pero por el precio que tiene no podría pedirse algo mejor, o si?. Compré una funda de marca para la barbacoa y comprado con esta es de risa. En principio hace de repelente de agua, pero no lo he probado con lluvia torrencial, lo he probado tirándole un poco de agua en una zona con un vaso. Habría que volver a valorar esta funda con el paso del tiempo para ver si merece la pena o no su compra.
RESPUESTA: neutro

EJEMPLO: Lo volvería a comprar
RESPUESTA: positivo

EJEMPLO: El cristal le va pequeño a la pantalla, por los lados sobra un monton así que no lo cubre por completo, uno de los 2 cristales que iban en el paquete llevaba como una mota de polvo de fabrica insalvable. No lo recomiendo.
RESPUESTA: negativo

EJEMPLO: Pelusas y bolas, desde el primer día, no la volveré a utilizar para cubrir el sofá. No la recomiendo, para nada.
RESPUESTA:


MODEL OUTPUT

 negative


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

EJEMPLO: No he recibido el pedido. me han hecho un reembolso por el valor de los articulos pedidos.
RESPUESTA: negativo

EJEMPLO: El reloj está bien l, lo que pasa que cada 2-3 días se adelanta un min y hay que estar ajustándolo y es un poco molesto
RESPUESTA: neutro

EJEMPLO: El marco cubre más del marco del reloj. O sea invade la pantalla. Siempre quedan algunas burbujas, lo he instalado 3 veces. Por último, y lo peor de todo, horrible la sensación táctil. Casi no obedece. Estoy a punto de quitarlo y comprar otro. Y eso que compre dos de este modelo.
RESPUESTA: negativo

EJEMPLO: la hebilla no enganchaba en cuanto te lo ponías al de unos segundos se soltaba tenia un cinturon viejo y le puse la hebilla y funcionaba perfectamente no lo cambie por eso pero desde luego mal muy mal no volveré a comprar de ese proveedor
RESPUESTA: negativo

EJEMPLO: todo parce bien, aun no lo he probado pero de primer vistazo todo esta correcto, no pongo más estrellas por eso
RESPUESTA: neutro

EJEMPLO: Hoy a dia 15 de Septiembre, todavia no he recibido el importe del reembolso que me hicieron el dia 5, me gustaría saber que pasa , porque no lo he rcibido.
RESPUESTA:


MODEL OUTPUT

 Hoy a dia 15 de septiembre, todavia no he recibido el importe del reembolso que me hicieron el dia 5, e gustara saber que pasa ,


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

EJEMPLO: Está bien para el precio que tiene, no sirve para llevar cosas frías, el tamaño es un poco justo, caben dos tuppers pequeños y una lata
RESPUESTA: neutro

EJEMPLO: Cumple su propósito aunque son bastante endebles, hay que poner prendas ligeras si no se abren por el peso.
RESPUESTA: neutro

EJEMPLO: Muy buena calidad. Lo recomiendo.
RESPUESTA: positivo

EJEMPLO: La empresa lo devolvió sin previo aviso, era para Reyes. Un 0 no lo recomiendo en absoluto, decepciónado con el servicio.
RESPUESTA: negativo

EJEMPLO: Muy bonitas y el precio genial
RESPUESTA: positivo

EJEMPLO: El precio muy economico. Se acopla bien, pero en 30 segundos se ha caido. No aguanta el peso del Tom Tom.
RESPUESTA:


MODEL OUTPUT

 negative


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

EJEMPLO: En menos de 2-3 meses perdieron el color, totalmente descoloridas y dejaron de ser azules marino para pasar a tener falta de color, compra muy mala, ya es la segunda vez que me ocurre, no volveré a comprarlas.
RESPUESTA: negativo

EJEMPLO: No pesa, no abulta, no se mueve. Me parece perfecto. Para una micro cuatro tercios, es perfecto. Si lo recomiendo.
RESPUESTA: positivo

EJEMPLO: Era un regalo para unos amigos. Al parecer se ajusta perfectamente a lo que necesitaban
RESPUESTA: neutro

EJEMPLO: Llegó a tiempo y perfectamente embalado. Excelente móvil lo poco que lo he usado me ha resultado super rápido, fotos de excelente calidad, batería de larga durabilidad, buenos acabados, sonido excelente, fácil de usar y una pantalla con full color. Ha sido una buena compra.
RESPUESTA: positivo

EJEMPLO: La compré porque tenía la original que me quedaba grande. Ésta me queda perfecta y me encanta el color. Llevo con ella ya tiempo y sigue como el primer día.
RESPUESTA: positivo

EJEMPLO: era esactamente lo q queria, perfecto para teñir pasteles y tartas, da un color muy bonito y lo volveré a comprar seguro
RESPUESTA:


MODEL OUTPUT

 era esactamente lo q queria, perfecto para teir pasteles y tartas, da una color muy bonito y lo volveré a comprar seguro


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

EJEMPLO: El producto no llegó en el tiempo indicado, exactamente 24 días después, es lamentable que pasen estas cosas, ya no me sirve el producto para la fecha en la que ha llegado.
RESPUESTA: neutro

EJEMPLO: Aparentemente es bonito y fácil de colocar, pero cuando sales a la calle y lo tienes que usarlo para advertir algún peatón que se cruza despistado o deseas avisar, para poder pasar o adelantar. El sonido es muy débil insuficiente para una ciudad o pueblo. Es una pena el producto es bonito pero no merece la pena comprarlo.
RESPUESTA: negativo

EJEMPLO: Malísimo para nadar es muy endeble de abajo el tubo no vale nada se sale mucho no puedes nadar
RESPUESTA: negativo

EJEMPLO: Producto sencillo, barato y útil
RESPUESTA: positivo

EJEMPLO: Estuche para flauta muy cómodo. Muy buenos acabados. Esta marca ofrece productos de muy buena calidad.
RESPUESTA: positivo

EJEMPLO: el producto bajo mi punto de vista no sirve de nada porque las plantillas son feas con ganas pero son baratas...
RESPUESTA:


MODEL OUTPUT

 negative


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

EJEMPLO: No me ha gustado nada porque parece un libro de un niño pequeño, portada bonita pero cuando lo abres... no lo volvería a comprar nunca.
RESPUESTA: negativo

EJEMPLO: Me llegó abierto todo parecía que hubiera sido usado y no funcionaba la vibración.
RESPUESTA: negativo

EJEMPLO: No me ha gustado nada. Mucho calor dentro, resiste mal el viento, aunque no sea fuerte, los enganches se sueltan de las piquetas con facilidad. No la recomiendo.
RESPUESTA: negativo

EJEMPLO: Estaria bien que fuese mas largo el hueco pars que no se quede tsn colgado el pints labios. Cumple su funcion si no tienes mucho dinero.
RESPUESTA: neutro

EJEMPLO: Herramienta para llevar sin que pese ni ocupe mas de lo que acompañe una llave de tu casa. A lo mejor ni la usas...pero está ahi
RESPUESTA: positivo

EJEMPLO: No me han gustado. Las puntas se rompen con mucha facilidad. Mis hijas no los han podido usar.
RESPUESTA:


MODEL OUTPUT

 negative


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

EJEMPLO: Edición muy cuidada. Tiene buen sonido y me llegó muy rápido. En perfecto estado, sin ningún rasguño. A día de hoy no tengo ninguna pega. Además es muy original, destaca entre toda la colección de vinilos.
RESPUESTA: positivo

EJEMPLO: No están mal y se mantienen bastante pero tiene brillantina y es lo que no me gusta y no compraré más por ese motivo
RESPUESTA: neutro

EJEMPLO: Queda muy bien y te protege el reloj
RESPUESTA: positivo

EJEMPLO: Correcto.Cumple su cometido y los adhesivos son bastante fuertes.No se despegan facilmente.Por precio merece la pena teniendo en cuenta que vienen 10 unidades.
RESPUESTA: neutro

EJEMPLO: Muy bonitas y el precio genial
RESPUESTA: positivo

EJEMPLO: Son muy cómodos y tienen muy buen sonido
RESPUESTA:


MODEL OUTPUT

 y me llegó muy rápido. En perfecto estado, sin ningn rasguo. A da de hoy no tengo ninguna pega. Adolfo


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

EJEMPLO: Tenía un disco duro de 80 GB procedente de un portátil que tiré y me daba pena tirarlo. Compré esta carcasa, bien barata, y ahora tendo un USB de 80 GB. Como digo: Perfecto y barato.
RESPUESTA: positivo

EJEMPLO: El protector de pantalla llegó un poco roto.
RESPUESTA: neutro

EJEMPLO: Los dos usb de los laterales tienen el problema de que no son 100% accesibles, tienes la opción de forzar un poco la placa y sus conexiones o como yo he hecho usar una pequeña lima y retirar ese milímetro que te sobra
RESPUESTA: neutro

EJEMPLO: Se podría mejorar el ajuste del imán conector. Resto muy correcto. Similar al original de Surface, incluye conector supletorio USB
RESPUESTA: neutro

EJEMPLO: Sirve para ir por rectas pero si coges una curva del circuito se sale el 100%de las veces por lo que lo tienes que poner con las manos. Esto hace que te aburras. No lo recomiendo.
RESPUESTA: neutro

EJEMPLO: Ha llegado roto en la base del USB
RESPUESTA:


MODEL OUTPUT

 el ajuste del imán conector. Resto muy correcto. Similar al original de Surface, incluye conector supletorio USB


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

EJEMPLO: La máquina No funciona correctamente no corta el pelo se atasca desde el principio, es decir, no es un producto que yo recomiende. Baja calidad no recomendable.
RESPUESTA: negativo

EJEMPLO: bien te lo traen a casa y listo a funcionar
RESPUESTA: neutro

EJEMPLO: Se le caen los brillantes y andan por donde pase la niña. Que termina quedándose feo, solo con la manchita del pegamento donde venia el brillante que es como una lentejuela
RESPUESTA: neutro

EJEMPLO: ha salido con defecto, en llamadas salientes no se oye al interlocutor, lo cambie por otro igual y he tenido el mismo problema
RESPUESTA: negativo

EJEMPLO: Alumbran bien. Pero la cinta adhesiva pega muy poco. Nose si podrían enviar otra de mejor calidad. Gracias
RESPUESTA: neutro

EJEMPLO: No funciona nada bien, se queda el azúcar pegado a la máquina, sin llegar ha hacer el algodon
RESPUESTA:


MODEL OUTPUT

 no funciona bien, se queda el azcar pegado a la máquina, sin llegar hacer el algodon


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

EJEMPLO: Mejor de lo que esperaba, tiene buena capacidad y queda perfecto. Es más grande de lo que esperaba. Por fin el vidrio está ordenado.
RESPUESTA: positivo

EJEMPLO: Calidad y buen precio
RESPUESTA: neutro

EJEMPLO: Más pequeño de lo esperado
RESPUESTA: neutro

EJEMPLO: Muy buena calidad. Lo recomiendo.
RESPUESTA: positivo

EJEMPLO: Se ve que la calidad es buena dentro de la media, aunque lo que no me gustó en relación a otros como el Ol'Vita, es que no guarda mucho de la parte de aceite esencial que le da el matiz "especiado". Para algunos usos quizá sea mejor no tener un sabor tan fuerte, pero para temas de salud preferiría tener todo el espectro natural.
RESPUESTA: neutro

EJEMPLO: Buena calidad, mejor de lo esperado
RESPUESTA:


MODEL OUTPUT

 positive


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

EJEMPLO: No sirve para agua caliente se deforma
RESPUESTA: negativo

EJEMPLO: Alumbran bien. Pero la cinta adhesiva pega muy poco. Nose si podrían enviar otra de mejor calidad. Gracias
RESPUESTA: neutro

EJEMPLO: Es lo que buscaba, además viene en milímetros y no en centímetros.
RESPUESTA: positivo

EJEMPLO: Tened en cuenta las medidas porque es muy pequeña. Yo tuve que devolverla porque en un salón de 4m2 se veía ridícula. Pero la lámpara es bonita y de buena calidad.
RESPUESTA: negativo

EJEMPLO: Muy fino, abriga poco
RESPUESTA: neutro

EJEMPLO: Se echa en falta otra pantalla adiccional.
RESPUESTA:


MODEL OUTPUT

 negative EJEMPLO: Se echa en falta otra pantalla adiccionada.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

EJEMPLO: Más pequeño de lo esperado
RESPUESTA: neutro

EJEMPLO: Es muy pequeña y tardó bastante en llegar. Pienso que es una pieza más para aire que para agua. El paso es muy pequeño.
RESPUESTA: neutro

EJEMPLO: Mejor de lo que esperaba, tiene buena capacidad y queda perfecto. Es más grande de lo que esperaba. Por fin el vidrio está ordenado.
RESPUESTA: positivo

EJEMPLO: Muy buena calidad. Lo recomiendo.
RESPUESTA: positivo

EJEMPLO: Buenos guantes, calentitos, quizás un poco pequeños, pero yo tengo manos grandes. Al quedarme pequeños y estirarlos un poco, se ha roto el encaje.
RESPUESTA: neutro

EJEMPLO: mas pequeño de lo esperado
RESPUESTA:


MODEL OUTPUT

 neutro EJEMPLO: s muy pequea y tardó bastante en llegar. Pienso que es una pieza más para aire que para agua. El paso es muy peque


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

EJEMPLO: A mi hija la ha encantado. Viene además 2 hojas con pegatinas de estrellas, círculos y formas pequeñas en color rojo y plata y se lo ha pasado genial pintando y pegándolas.
RESPUESTA: positivo

EJEMPLO: Cumple su función, aunque la calidad de los materiales deja algo que desear. Se ve que es plástico del barato y da sensación de fragilidad. Veremos como aguanta el paso del tiempo y los usos.
RESPUESTA: neutro

EJEMPLO: La máquina No funciona correctamente no corta el pelo se atasca desde el principio, es decir, no es un producto que yo recomiende. Baja calidad no recomendable.
RESPUESTA: negativo

EJEMPLO: Pegan muy bien a la base con el velcro, las he usado con madera y para pulir resina epoxi y van de lujo, compré tambien la base del taladro, la engancho a la mesa y a trabajar.
RESPUESTA: positivo

EJEMPLO: Alumbran bien. Pero la cinta adhesiva pega muy poco. Nose si podrían enviar otra de mejor calidad. Gracias
RESPUESTA: neutro

EJEMPLO: Un recopilatorio sin más, decoración de caja y cd sencilla. La pegatina transparente que tiene de cierre si no se retira con cuidado puede dañar la pintura de la caja de cartón.
RESPUESTA:


MODEL OUTPUT

 recopilatorio sin más, decoración de caja y cd sencilla. La pegatina transparente que tiene decierre si no se retira con cuidado puede daar la pintura de


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

EJEMPLO: Para el precio esta bien,el pegamento de las pegatinas no es el mejor,hay que hacer bastante presión y pegarla varias veces. Pero para el precio y la cantidad están bien.
RESPUESTA: neutro

EJEMPLO: Aparentemente tiene muy buena calidad y un gran precio para venir tres protectores. Ningún problema a nivel táctil muy transparente, del tamaño exacto para la pantalla. Sin embargo, el primero no fui capaz de que se adhiriera a la pantalla (quedaba despegado la mitad); pensé que era mi inexperiencia. El segundo quedó ya mejor, pero aún y todo, no adherido del todo. Y ahí ya no es por exceso de confianza. Gracias a que uso una funda tipo libro la pantalla no queda expuesta y he reservado el tercer protector para más adelante.
RESPUESTA: neutro

EJEMPLO: No están mal aunque son enormes, yo e cortado la parte de los aros y las puse en la parte trasera ya que sino ocupa mucho espacio.
RESPUESTA: neutro

EJEMPLO: No le doy las 5 estrellas por q el cristal no llega a cubrir del todo ( a lo ancho) el smartphone. Lo puse varias veces y a lo ancho se queda un poco corto. Por lo demás super bien embalado.. en si cajita antigolpes... Manual de instrucciones, toallitas.. no falta detalle la verdad.. la única pega.. la q comenté anteriormente...
RESPUESTA: neutro

EJEMPLO: Muy caros luego los he estado viendo 2euros iguales y la misma marca .se han pasado con el margen de beneficio
RESPUESTA: neutro

EJEMPLO: Deja unos bordes porque no se pega bien por los lados, pero todos los protectores por estos precios les pasa lo mismo
RESPUESTA:


MODEL OUTPUT

 Deja unas bordes porque no se puede bien en los lados, pero todos los protectores por estas precios les pasa lo mismo


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

EJEMPLO: Me ha gustado mucho el producto. El diseño y calidad muy buenos. El pedido llegó muy rapido. Me ha encantado
RESPUESTA: positivo

EJEMPLO: La tarta es un poco pequeña y los complementos más aun. Me esperaba otra cosa. Pero está bien. Es plástico todo
RESPUESTA: neutro

EJEMPLO: Producto sencillo, barato y útil
RESPUESTA: positivo

EJEMPLO: Buena relación calidad precio. Tiene bastante potencia y pesa muy poco.
RESPUESTA: positivo

EJEMPLO: Estaba buscando unos cuchillos de carne que me durasen para muchísimo tiempo sin importarme gastar un poco más. A veces es mejor no comprar barato. Estos cuchillos van a sustituir a unos antiguos que tenía que aunque hacían bien su función se me fueron estropeando porque el mango era de plástico y de tanto lavado se fue estropeando esta parte. A primera vista ya se aprecia que son de muy buena calidad por los materiales con los que están fabricados. A destacar también el envoltorio ya que son perfectos para regalar. Muy buena compra.
RESPUESTA: positivo

EJEMPLO: Buena calidad y peso. Al uno con cuchilla merkur ni un tajo. Hay ke controlar un poco el tacto pero va fina. Producto original. Entrega en plazos
RESPUESTA:


MODEL OUTPUT

 Entrega en plazos


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

EJEMPLO: Muy buena calidad. Lo recomiendo.
RESPUESTA: positivo

EJEMPLO: Es tal y lo que te pone en la descripción, sin más, aunque la apertura de la basura, con el pedal, me da la impresión que se romperá dentro de no mucho tiempo, ya que se abre muy de golpe, aunque lo presiones suavemente.
RESPUESTA: neutro

EJEMPLO: Plastico cutre, vienen con cinta adhesiva de mala calidad que he tenido que cambiar en todos.
RESPUESTA: negativo

EJEMPLO: Cumple su propósito aunque son bastante endebles, hay que poner prendas ligeras si no se abren por el peso.
RESPUESTA: neutro

EJEMPLO: Vienen un montón de cosas, como el cortahilos que me encanta , para empezar a bordar está muy bien. Los hilos no parecen de mala calidad, y hay muchos colores
RESPUESTA: positivo

EJEMPLO: son monos, aunque se ven de poca calidad, para lo que cuestan no se puede pedir mucho mas
RESPUESTA:


MODEL OUTPUT

 es monos, an ven de calidad, para lo que tiene que no puede pedir mucho mas


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

EJEMPLO: El ventilador cumple su función el problema principal para mí es que su cable de conexión es muy, muy corto y apenas me permite alejarlo un metro del enchufe
RESPUESTA: neutro

EJEMPLO: Muy buena calidad. Lo recomiendo.
RESPUESTA: positivo

EJEMPLO: Un teléfono ajustado a la definición. Sencillo y práctico. El timbre de llamada un poco bajo
RESPUESTA: neutro

EJEMPLO: Magnífico cable recibe la señal perfectamente.
RESPUESTA: positivo

EJEMPLO: Para el precio que tienen, bastante bien van. No tiene manera de apagarlos o encenderlos si no es conectando/desconectando el cable.
RESPUESTA: neutro

EJEMPLO: Es tan inhalámbrico que ni incluye el cable de alimentación.
RESPUESTA:


MODEL OUTPUT

 es tan inhalámbrico que no incluye el cable de alimentación.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

EJEMPLO: Es un auténtico timo, plástico de malísima calidad, lleva un ventilador de muy baja potencia, es de Pc, he metido el recipiente al congelador y ni poniéndole hielo enfria, imagínate con agua. Los botones que lleva dan la sensación que se van a romper cuando los pulsas, la tapa que tienes que quitar para sacar el recipiente luego no encaja y te tiras media hora para volverla a poner en su sitio. El agua a veces se sale y la placa electrónica que lleva el aparato no está protegida, te doy 2 días para que se rompa, esto es un timo señores, no malgasten su dinero, ni 5€ vale, le doy una estrella porque me obligan.
RESPUESTA: negativo

EJEMPLO: El arte del juego es precioso. La historia merece ser vista al menos. La edición coleccionista, a ese precio, y con este juego, merece salir de camino a casa de cualquier jugon.
RESPUESTA: positivo

EJEMPLO: Aún no lo he probado. Algo malo es que vienen las instrucciones en inglés y nada en español.
RESPUESTA: neutro

EJEMPLO: Envío rápido pero la bolsa viene sin caja ( en otras tiendas online viene mejor empaquetado) y por consecuencia la bolsa tenía varios puntos con agujeros... La comida está en buen estado pero ya no te da la misma confianza. Fecha de caducidad correcta.
RESPUESTA: neutro

EJEMPLO: 3 estrellas porque llegó tarde y no en la fecha prevista.Como no el reparto tenía que ser con Seur.En cuanto a la mochila es tal y como la ves,ni más ni menos.
RESPUESTA: neutro

EJEMPLO: El juego llego en la fecha prevista y precintado, lo curioso es que la caratula de la caja y el libreto interior están en ingles, y no indican por ningún lugar que el juego este doblado al Español, tanto los textos como los diálogos del mismo, tenia serias dudas al comprarlo ya que en las imágenes que lo anuncia ya se ve que están los textos en ingles, pero el juego esta en español como ya he indicado anteriormente, también lo indican en la mayoría de las respuestas a preguntas de otros compradores sobre si estaba o no en español. De momento lo único que he hecho ha sido cargarlo en la PS4 para asegurarme de que estaba en español, por si tenia que devolverlo en el caso de que se pueda una vez lo has des precintado claro, mas adelante cuando lo juegue ya emitiré una segunda opinión del mismo.
RESPUESTA:


MODEL OUTPUT

 El juego llego en la fecha prevista y precintado, lo curioso es que la caratula de la caja y la libreto interior están en ingles, y no indican por


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

EJEMPLO: Cómodo y muy bien la Calidad precio
RESPUESTA: positivo

EJEMPLO: Está muy bien, corren y saltan detrás de ellos.
RESPUESTA: positivo

EJEMPLO: Calidad increíble, sabor muy intenso. Se nota que es un producto natural... Merece la pena pagar lo que vale. Muy satisfecho.
RESPUESTA: positivo

EJEMPLO: Mala calidad, solo funciona la mitad, nada recomendable
RESPUESTA: neutro

EJEMPLO: El reloj está bien, se ve muy bien la hora, tiene buen diseño, los plásticos no parecen muy malos, para el precio que tiene estaría muy bien excepto sino fuera por un detalle. La hebilla sobresale mucho, se me clava en la muñeca y eso que lo he llevado bastante suelto.
RESPUESTA: neutro

EJEMPLO: Están muy bien ,calidad excelente
RESPUESTA:


MODEL OUTPUT

 positive


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

EJEMPLO: No he recibido el pedido. me han hecho un reembolso por el valor de los articulos pedidos.
RESPUESTA: negativo

EJEMPLO: Siempre he comprado WD y no me defrauda. Desafortunadamente no puedo decir lo mismo cuando he comprado otras marcas
RESPUESTA: positivo

EJEMPLO: Es justo lo que buscaba ni más ni menos y además es como la que tenía de hace ya años.
RESPUESTA: positivo

EJEMPLO: He probado varios auriculares ya. Estos sin duda son los que mejor resultado dan en cuanto a sonido y comodidad se refiere. Totalmente recomendable.
RESPUESTA: positivo

EJEMPLO: Aún no lo he probado. Algo malo es que vienen las instrucciones en inglés y nada en español.
RESPUESTA: neutro

EJEMPLO: Mi pedido aparece como entregado y aún no lo he recibido.
RESPUESTA:


MODEL OUTPUT

 negative


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

EJEMPLO: El envío muy rápido, el mismo día del lanzamiento del libro. La lástima es que me lo han mandado algo deteriorado, en la parte superior hay una zona que está como rasgada. Era para un regalo.
RESPUESTA: neutro

EJEMPLO: Bien para lo que cuesta
RESPUESTA: neutro

EJEMPLO: Todo perfecto por lo que vale.
RESPUESTA: positivo

EJEMPLO: Gran Altavoz. Buen sonido, buenos graves, buen volumen...
RESPUESTA: positivo

EJEMPLO: Es muí bonito igual que en la. Foto gracias
RESPUESTA: positivo

EJEMPLO: Pensé que era más grande
RESPUESTA:


MODEL OUTPUT

 Por qué era más grande?


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

EJEMPLO: Después de mas de mes y medio esperando el producto, el día antes de que se cumpliera el plazo de entrega me llegó un mensaje de la empresa de que anulaba mi pedido
RESPUESTA: negativo

EJEMPLO: Me encanto. Ya los he comprado varias veces.
RESPUESTA: positivo

EJEMPLO: Estoy muy defraudada,ponía 2 fechas de entrega y ni una ni otra,y aún estoy esperando una respuesta de por qué no me ha llegado el producto.Si no lo hay,pues que me devuelvan el dinero.Exijo una respuesta y una solución yaaa!!!!
RESPUESTA: negativo

EJEMPLO: Me ha gustado mucho el producto. El diseño y calidad muy buenos. El pedido llegó muy rapido. Me ha encantado
RESPUESTA: positivo

EJEMPLO: Es justo lo que buscaba ni más ni menos y además es como la que tenía de hace ya años.
RESPUESTA: positivo

EJEMPLO: No me llegó el producto y ni el vendedor respondía los mensajes.
RESPUESTA:


MODEL OUTPUT

 negative EJEMPLO: No me llegó el producto y no el vendedor responda los mensajes.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

EJEMPLO: EDITO: 2 meses tras la compra ha dejado de funcionar los USB (motivo por el que compré el soporte. Evidentemente tiré la caja así que me quedo sin devolución y con una mesa de plástico.
RESPUESTA: negativo

EJEMPLO: la tela no es la que esperaba
RESPUESTA: neutro

EJEMPLO: Se podría mejorar el ajuste del imán conector. Resto muy correcto. Similar al original de Surface, incluye conector supletorio USB
RESPUESTA: neutro

EJEMPLO: Tenía un disco duro de 80 GB procedente de un portátil que tiré y me daba pena tirarlo. Compré esta carcasa, bien barata, y ahora tendo un USB de 80 GB. Como digo: Perfecto y barato.
RESPUESTA: positivo

EJEMPLO: Yo usaba el tamaño slim que compraba en el estanco y pensaba que estos eran iguales pero no, son aún más cortos. Yo uso una liadora manual y ya me apaño pero para quien los lie a mano necesitará práctica. Por lo demás, relación cantidad-precio excelente.
RESPUESTA: neutro

EJEMPLO: Compré este pincho original y estoy contenta. Los datos se pasan bastante rapido,está acabado de metal. Sobre todo me encanta que se puede sujetar el teléfono. Usb muy cómodo ,original y resistente.Cumle perfectamente su funcion.Recomendable
RESPUESTA:


MODEL OUTPUT

 Cumle perfectamente su funcion.Recomendable


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

EJEMPLO: Ideal original y divertida Bolsitas de regalo o para poner golosinas, bombones, etc La forma de las orejas con el nudo ya depende de la gracia que tenga cada uno. Se recomienda rellenar bien para que no queden granos en la cara del muñeco
RESPUESTA: positivo

EJEMPLO: a mi parecer muy incómodo para jugar
RESPUESTA: neutro

EJEMPLO: Muy elegante y bonito
RESPUESTA: positivo

EJEMPLO: Para empezar, si el tiempo de envío es largo, el producto se retrasa por problema de aduanas. Solicitó la devolución, ya que es para un regalo y ante la tardanza han adquirido una prenda similar en otro sitio. Amazon me pone en contacto con el vendedor, el cual no facilita la devolución. Mientras tanto recibo el paquete y cuál es mi sorpresa que el artículo q me envían es un bolso negro, una especie de portafolios pero que nada tiene que ver con el sujetador de lactancia que encargue. Sigo en contacto con el vendedor, que aún sigue sin darme ninguna solución.
RESPUESTA: negativo

EJEMPLO: Era un regalo para unos amigos. Al parecer se ajusta perfectamente a lo que necesitaban
RESPUESTA: neutro

EJEMPLO: Muy original para regalar
RESPUESTA:


MODEL OUTPUT

 positive EJEMPLO: I am very original to jugar


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

EJEMPLO: Ha llegado la funda con un defecto/golpe. No me ha gustado encontrarme algo así. No estoy muy contento con el producto. Si algo tiene un defecto de fabrica, no debería de salir. Un saludo.
RESPUESTA: negativo

EJEMPLO: Es justo lo que buscaba ni más ni menos y además es como la que tenía de hace ya años.
RESPUESTA: positivo

EJEMPLO: Llego el producto en muy mal estado,como si ya se hubiera usado.
RESPUESTA: negativo

EJEMPLO: En una primera instancia llego defectuoso, pero me lo cambiaron sin problema y funciona bien.
RESPUESTA: neutro

EJEMPLO: Estoy muy defraudada,ponía 2 fechas de entrega y ni una ni otra,y aún estoy esperando una respuesta de por qué no me ha llegado el producto.Si no lo hay,pues que me devuelvan el dinero.Exijo una respuesta y una solución yaaa!!!!
RESPUESTA: negativo

EJEMPLO: El producto venia defectuoso y no funcionaba, ademas parece que estaba usado.
RESPUESTA:


MODEL OUTPUT

 negative


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

EJEMPLO: Està bien para el precio que tiene
RESPUESTA: neutro

EJEMPLO: No pesa, no abulta, no se mueve. Me parece perfecto. Para una micro cuatro tercios, es perfecto. Si lo recomiendo.
RESPUESTA: positivo

EJEMPLO: Perfecto a un precio increíble
RESPUESTA: positivo

EJEMPLO: Correcto.Cumple su cometido y los adhesivos son bastante fuertes.No se despegan facilmente.Por precio merece la pena teniendo en cuenta que vienen 10 unidades.
RESPUESTA: neutro

EJEMPLO: Es bastante simple y no trae muchas cosas pero más completo que otros que he visto más caros. Para el precio está bien.
RESPUESTA: neutro

EJEMPLO: Por el precio que tienen son simplemente perfectos.
RESPUESTA:


MODEL OUTPUT

 neutro EJEMPLO: Por precio que tienen son simplemente perfectos.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

EJEMPLO: No cubre toda la pantalla. La margen negra tapa la laterales como un medio mm.
RESPUESTA: negativo

EJEMPLO: Un poquito escaso pero funciona , hay que seguir bien todos los pasos
RESPUESTA: positivo

EJEMPLO: Esta muy bien pero me defraudó la frontal ya que no reacciona bien la huella dactilar
RESPUESTA: neutro

EJEMPLO: No me ha gustado nada. Mucho calor dentro, resiste mal el viento, aunque no sea fuerte, los enganches se sueltan de las piquetas con facilidad. No la recomiendo.
RESPUESTA: negativo

EJEMPLO: La tapa del inodoro es bonita, pero los anclajes son una basura la tapa se gira si o si y cuando pretendes apretarla se rompe el anclaje
RESPUESTA: negativo

EJEMPLO: Diseño bonito...no se pega bien a la pantalla...las teclas laterales no funciona bien...la inferiores funcionan mal
RESPUESTA:


MODEL OUTPUT

 negative


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

EJEMPLO: La máquina No funciona correctamente no corta el pelo se atasca desde el principio, es decir, no es un producto que yo recomiende. Baja calidad no recomendable.
RESPUESTA: negativo

EJEMPLO: Va bien y es más barato que otras marcas
RESPUESTA: positivo

EJEMPLO: Para llevarlo en la autocaravana para mi yorsay
RESPUESTA: positivo

EJEMPLO: Lo compre pensando en conectar para transmisión de datos y solo sirve para cargar la batería. Para esto último es práctico. Pero si lo quieres para otra cosa no vale.
RESPUESTA: neutro

EJEMPLO: El marco cubre más del marco del reloj. O sea invade la pantalla. Siempre quedan algunas burbujas, lo he instalado 3 veces. Por último, y lo peor de todo, horrible la sensación táctil. Casi no obedece. Estoy a punto de quitarlo y comprar otro. Y eso que compre dos de este modelo.
RESPUESTA: negativo

EJEMPLO: Según la recomendación que ponía en la descripción que servia para las máquinas BOSCH así es!! Va fenomenal. De hecho compré una segunda.
RESPUESTA:


MODEL OUTPUT

 es el recomendación que tiene en la descripción que servia para las máquinas BOSCH as es!! Va fenomenal. De hecho compre una segunda.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

EJEMPLO: Me he quedado un tanto decepcionado con el producto. Baja estabilidad, materiales poco resistentes, sensación de poco recorrido hacen que lo pagado sea lo justo por lo recibido. Vistas las críticas de anteriores compradores me esperaba más. Aún me estoy pensando si estrenarlo o si directamente proceder a su devolución.
RESPUESTA: neutro

EJEMPLO: Lo que no me a gustado es que no traiga un folleto de información del sistema de cómo funciona
RESPUESTA: negativo

EJEMPLO: Lo compré para un regalo y será utilizado con un iPhone X. No he tenido la oportunidad de probarlo con dicho teléfono, pero puedo hablar de la excelente calidad de los materiales, es pesado, se siente firme y tiene franjas con goma tanto en la parte superior para que el teléfono no se deslice y en su parte inferior para que no se deslice sobre la superficie donde se ubica. Sólo lo he conectado para probar las luces (azules) y si colocas un dispositivo para cargar, estás parpadean muy lentamente unas 5 veces y luego se apagan definitivamente, cosa que es de agradecer si lo vas a usar en tu mesa de noche. Por ahora lo recomiendo estéticamente, luego informaré de su funcionamiento.
RESPUESTA: positivo

EJEMPLO: Producto con evidentes señales de uso
RESPUESTA: negativo

EJEMPLO: Mi valoración no es sobre el producto sino sobre AMAZON. Ofrecéis el producto a 299€ y tras varios días me devolvéis el dinero porque os habéis equivocado en el anuncio, según vosotros, ahora es 399€. Es la primera vez que me ocurre esto. Cuando he comprado en cualquier sitio y el precio marcado no se correspondía con el valor de caja siempre me lo han vendido con el precio marcado. Es inverosímil lo ocurrido, pero la ultima palabra me la dará la oficina del consumidor
RESPUESTA: negativo

EJEMPLO: Es la tercera vez que publico una opinión sobre este proyector y como la crítica es pésima parece ser que no me las han querido publicar. Me decidí a comprarlo fiándome de 3 opiniones positivas. Misteriosamente, después de escribir las dos opiniones fallidas y devolver el producto empezaron a aparecer decenas de comentarios EXCELENTES acerca de este proyector. Mi consejo es que no os fiéis de las opiniones cuando adquiráis un proyector chino.
RESPUESTA:


MODEL OUTPUT




PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

EJEMPLO: Encaja a la perfección
RESPUESTA: positivo

EJEMPLO: Después de unos meses de uso cumple su función. Materiales y acabados buenos, lo que no me gusta es que la ventana es muy oscura y cuesta ver la hora
RESPUESTA: neutro

EJEMPLO: cumple con lo estipulado
RESPUESTA: neutro

EJEMPLO: Cumplen satisfactoriamente con la función. Se pueden recortar y son gruesas. Buena relación calidad precio
RESPUESTA: positivo

EJEMPLO: Fatal!!! No funciona en inducción aunque pone que si, es un engaño!!!!!
RESPUESTA: negativo

EJEMPLO: Cumple su función a la perfección
RESPUESTA:


MODEL OUTPUT

 positive


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

EJEMPLO: Despues de 2 dias esperando la entrega ,tuve que ir a buscarlo a la central de DHL de tarragona ,pese a haber pagado gastos de envio (10 euros),y encima me encuentro con un paquete todo golpeado en el que faltan partes del embalaje de carton y el resto esta sujeto por multitud de tiras de celo gigantesco pata que no se desmonte el resto de la caja ,nefasto he hecho varias reclamaciones a la empresa de transporte y encima me encuentro el paquete en unas condiciones horrorosas con multiples golpes,espero que al menos funcione.Nada recomendable,ni el vendedor ni amazon ni por supuesto el transportista DHL.
RESPUESTA: negativo

EJEMPLO: Muy buena funda, todo perfecto!
RESPUESTA: positivo

EJEMPLO: Es cómodo de buen material y se adapta perfectamente a la Tablet. Buen diseño agradable al tacto. El trípode también es de utilidad.
RESPUESTA: positivo

EJEMPLO: Cumple su propósito aunque son bastante endebles, hay que poner prendas ligeras si no se abren por el peso.
RESPUESTA: neutro

EJEMPLO: Tiene un perfume muy agradable y duradero a la vez que discreto. Una sola barrita al día perfuma mi salón para todo el día.
RESPUESTA: positivo

EJEMPLO: Buen trípode pero la haría falta que viniera con una funda de transporte para poderlo llevar cómodamente y protegido al lugar de trabajo.
RESPUESTA:


MODEL OUTPUT

 positive


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

EJEMPLO: Es un regalo para la profesora..todo perfecto!!
RESPUESTA: positivo

EJEMPLO: Edición muy cuidada. Tiene buen sonido y me llegó muy rápido. En perfecto estado, sin ningún rasguño. A día de hoy no tengo ninguna pega. Además es muy original, destaca entre toda la colección de vinilos.
RESPUESTA: positivo

EJEMPLO: Perfecto a un precio increíble
RESPUESTA: positivo

EJEMPLO: Pedido con retraso, y lo peor es que aún no ha llegado. Se trataba de un regalo y calculé para que llegara de sobra, pero el envío no ha llegado todavía y la única solucion por parte del vendedor es que espere un poco más.
RESPUESTA: negativo

EJEMPLO: Su estabilidad es muy buena, al igual que su uso. Pesa poco y ofrece mucha seguridad. Ideal para llegar a cualquier sitio normal.
RESPUESTA: positivo

EJEMPLO: un vendedor estupendo ...me ha llegado muy rapido en perfecto estado, y encima con un regalito ... funcciona perfecto ... muchas gracias
RESPUESTA:


MODEL OUTPUT

 positive


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

EJEMPLO: No lo envían en caja. Se me deformó. Me devolvieron el dinero
RESPUESTA: negativo

EJEMPLO: Un poquito escaso pero funciona , hay que seguir bien todos los pasos
RESPUESTA: positivo

EJEMPLO: Las tintas son una basura.Solo imprime en blanco y negro y no en color.Dinero tirado.
RESPUESTA: negativo

EJEMPLO: No eran las medidas que marcaban
RESPUESTA: negativo

EJEMPLO: En las caracteristicas se indica que son tres piezas pero en el paquete solo vienen dos. No se si trata de un error o de mucho morro.
RESPUESTA: negativo

EJEMPLO: No merece la pena seguir escribiendo , no son una buena alternativa a los oficiales dinero tirado a la basura
RESPUESTA:


MODEL OUTPUT

 negative


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

EJEMPLO: Me ha gustado porque tiene una buena estructura y gran capacidad para guardar ropa, calzado...
RESPUESTA: positivo

EJEMPLO: Lo que no me a gustado es que no traiga un folleto de información del sistema de cómo funciona
RESPUESTA: negativo

EJEMPLO: El botón no funciona, con lo cual si quieres pararlo, necesitas quitarle las pilas. No lo recomiendo.
RESPUESTA: negativo

EJEMPLO: El armario está bastante bien. Pero el tema de mensajeria deja mucho que desear, aunque llego relativamente rapido (algo menos de 2 semanas), vino con varios golpes los cuales dificultan el montaje e interrumpen el cierre y apertura de puertas
RESPUESTA: neutro

EJEMPLO: ha salido con defecto, en llamadas salientes no se oye al interlocutor, lo cambie por otro igual y he tenido el mismo problema
RESPUESTA: negativo

EJEMPLO: La comodidad y el buen funcionamiento, lo que menos, que no guarde en una pequeña memoria la posicion del switch, es necesario pasa + directo.
RESPUESTA:


MODEL OUTPUT

 el comodidad y la buen funcionamiento, lo menos, que no guarde en una pequea memoria la posicion del switch, es necesario pasa + directo.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

EJEMPLO: Perfectas. Encajan perfectamente en el coche. Buena calidad del material. Las imágenes se ajustan a la realidad. Un 10. Recomendable 100%. Os ahorráis un dinero. Y mucha mejor calidad que las originales.
RESPUESTA: positivo

EJEMPLO: Molde resistente y bueno. No pesa nada. Muy práctico.
RESPUESTA: positivo

EJEMPLO: Filtran perfectamente el sol cuando conduces, si en vez de plástico fueran de cristal seria perfecto. 😎
RESPUESTA: neutro

EJEMPLO: Ha llegado la funda con un defecto/golpe. No me ha gustado encontrarme algo así. No estoy muy contento con el producto. Si algo tiene un defecto de fabrica, no debería de salir. Un saludo.
RESPUESTA: negativo

EJEMPLO: Excelente material y rapidez en el envio. Recomiendo
RESPUESTA: positivo

EJEMPLO: Regla de patchwork perfecta para medir los bloques. Buena calidad/precio. Realizada en material muy resistente. Sus medidas la hacen muy práctica
RESPUESTA:


MODEL OUTPUT

 positive EJEMPLO: Perfectes. Encajan perfectamente en el coche. Buena calidad del material. Las imágenes se ajustan a la realidad. Un 10. Recomendable 100%. Os ah


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

EJEMPLO: En poco tiempo el asa que sube y baja ya no funciona correctamente. Estoy decepcionada, ya que era para utilizar todas las semanas.
RESPUESTA: neutro

EJEMPLO: Un desastre de producto. Los globos imposibles de inchar, sin instrucciones, Valvulas imposibles y que se rompen. No lo recomiendo en absoluto.
RESPUESTA: negativo

EJEMPLO: los llaveros son de plástico finito,pero por el precio no se puede pedir más .Las pulseras tallan un poco grande para niños
RESPUESTA: neutro

EJEMPLO: Muy fácil de instalar. Además ocupa muy poco comparado con otros sistemas. El mando a distancia con el nuevo sistema tiene un alcance verdaderamente largo y muy rápida respuesta. No se calienta.
RESPUESTA: positivo

EJEMPLO: Quedan perfectas y para mi gusto sientan mejor que el modelo OS que también tengo y resulta caluroso frente a este.
RESPUESTA: positivo

EJEMPLO: Los separadores no se sujetan. O son de otro modelo o falta una pieza en el medio, un desastre ya que lo compré para utilizarlo con dos bolsas y es muy incómodo. Bastante decepcionado.
RESPUESTA:


MODEL OUTPUT

 o es de otro modelo o falta una pieza en el medio, un desastre y es muy incómodo. Bastante decepcionada.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

EJEMPLO: Muy buena calidad. Lo recomiendo.
RESPUESTA: positivo

EJEMPLO: Buen arnés, buenos materiales, bien acabado y muy cómodo para el animal, se nota que va mucho mejor, quizás un pelín aparatoso, pero es lo que conlleva el diseño del propio arnés y sus mullidos.
RESPUESTA: positivo

EJEMPLO: No le doy las 5 estrellas por q el cristal no llega a cubrir del todo ( a lo ancho) el smartphone. Lo puse varias veces y a lo ancho se queda un poco corto. Por lo demás super bien embalado.. en si cajita antigolpes... Manual de instrucciones, toallitas.. no falta detalle la verdad.. la única pega.. la q comenté anteriormente...
RESPUESTA: neutro

EJEMPLO: Después de mas de mes y medio esperando el producto, el día antes de que se cumpliera el plazo de entrega me llegó un mensaje de la empresa de que anulaba mi pedido
RESPUESTA: negativo

EJEMPLO: Después de un año de tenerlas, muy contenta. Tras varios lavados y secadoras no tiene bolitas. Muy buena calidad. Lo único que la funda de cojín es demasiado grande para mi gusto.
RESPUESTA: positivo

EJEMPLO: Lo compré para tener todos los anzuelos y accesorios. Realmente hay poco de lo que se pueda utilizar. Anzuelos muy grandes y toscos. No recomiendo este producto.
RESPUESTA:


MODEL OUTPUT

 positive EJEMPLO: I compre para todos los adopportuniario y accesorios. Realmente hay poco de lo que pueda utilizar. Anzuelos muy grande y toscos.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

EJEMPLO: cumple con lo estipulado
RESPUESTA: neutro

EJEMPLO: Malísimo para nadar es muy endeble de abajo el tubo no vale nada se sale mucho no puedes nadar
RESPUESTA: negativo

EJEMPLO: Son bonitos pero endebles y muy pequeños no corresponde a la foto Y el enganche estaba roto no se podían cerrar.
RESPUESTA: negativo

EJEMPLO: Me llegó roto aunque el paquete iba bien embalado. La talla no coincide con la medida.
RESPUESTA: negativo

EJEMPLO: Muy mala experiencia. Te puedes tirar la vida, intentando q se sequen. Una mierda, vamos. 🤬🤬🤬
RESPUESTA: negativo

EJEMPLO: Demasiado endebles no enganchan bien
RESPUESTA:


MODEL OUTPUT

 negative


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

EJEMPLO: No lo envían en caja. Se me deformó. Me devolvieron el dinero
RESPUESTA: negativo

EJEMPLO: ES EXACTAMENTE IGUAL QUE EN LA FOTO, PERO LO MALO ES QUE EN LA BASE TIENE AGUJERITOS OSEA QUE SI LO DEJAS EN LA ENCIMARA EL AGUA SE COLARA, ABRIA QUE PONER ALGO DEBAJO
RESPUESTA: neutro

EJEMPLO: Muy contento al ver la cara de mi mujeres...
RESPUESTA: neutro

EJEMPLO: Se me ha desconchado al despegar una pieza. Lo he devuelto.
RESPUESTA: negativo

EJEMPLO: Bueno en la oferta se incluían 5 piezas para soporte que no llegaron con el paquete
RESPUESTA: neutro

EJEMPLO: Débil. Se mueve mucho la base.
RESPUESTA:


MODEL OUTPUT

 el objetivo de clasificación de texto


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

EJEMPLO: Es suave y como de poner
RESPUESTA: positivo

EJEMPLO: Para mi es complicada de usar. No pesa bien y no trae unas instrucciones claras para calibrarla bien y poder pesar con ella. No estoy contento con la compra me parece complicada de usar.
RESPUESTA: neutro

EJEMPLO: es muy pequeña y tiene poco aluminio y se a abierto un poco aluminio es muy cómoda y cabe bien la comida
RESPUESTA: neutro

EJEMPLO: En la pagina pone que se envian 2 pares y solo llega uno.
RESPUESTA: neutro

EJEMPLO: Fácil de conectar, pequeño y manejable. El sonido regular y se oye bastante flojito. No lo volvería a comprar.
RESPUESTA: neutro

EJEMPLO: Es cómoda y fácil de usar solo un poco pequeña y le falta ser impermeable
RESPUESTA:


MODEL OUTPUT

 es cómoda y fácil de conectar, pequeo y manejable. El sonido regular y se oye bastante flojito. No lo volvera a comprar.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

EJEMPLO: Está muy bien, corren y saltan detrás de ellos.
RESPUESTA: positivo

EJEMPLO: Es pequeño, silencioso y no pesa nada. Lo uso para calentar una habitación de tamaño medio y a los 10 minutos (a máxima potencia) tengo que apagarlo porque hace calor. Genial.
RESPUESTA: positivo

EJEMPLO: He tenido q valorarlo con una estrella pero no sé la merece porq no duró ni una semana,con el calor y el agua se despega y para tirarlo.
RESPUESTA: negativo

EJEMPLO: No están mal aunque son enormes, yo e cortado la parte de los aros y las puse en la parte trasera ya que sino ocupa mucho espacio.
RESPUESTA: neutro

EJEMPLO: Hola buenas, me llego el reloj el dia 11 y no funciona bien, le tocas para ver la hora o ponerlo en marcha y va cuando quiere, le tienes que dar muchisimas veces. Lo que deseo saber es como hacer la devolución y que me enviarán otro en perfecto estado. Gracias Atentamente Paqui
RESPUESTA: negativo

EJEMPLO: No es de gran tamaño, así en la mesita te caben más cosas; es muy útil ya que te dice hasta la temperatura que hace en ese momento, el día de la semana en letra y en numero, la humedad.. es perfecto y además va por pilas
RESPUESTA:


MODEL OUTPUT

 es de grande tamao, y en la mesita te caben más cosas; es muy til ya que te dice hasta la temperatura que hace en ese


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

EJEMPLO: El botón no funciona, con lo cual si quieres pararlo, necesitas quitarle las pilas. No lo recomiendo.
RESPUESTA: negativo

EJEMPLO: Molde resistente y bueno. No pesa nada. Muy práctico.
RESPUESTA: positivo

EJEMPLO: Nunca llegué a recibirlo!!!!
RESPUESTA: negativo

EJEMPLO: Las tallas ...es dificil acertar con la correcta o te aprietan mucho o te sobra...
RESPUESTA: neutro

EJEMPLO: Apenas 4 meses y ya no carga. Mucho peor que la batería original
RESPUESTA: negativo

EJEMPLO: Las planté pero no creció nada!
RESPUESTA:


MODEL OUTPUT

 negative


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

EJEMPLO: No eran las medidas que marcaban
RESPUESTA: negativo

EJEMPLO: Quedan perfectas y para mi gusto sientan mejor que el modelo OS que también tengo y resulta caluroso frente a este.
RESPUESTA: positivo

EJEMPLO: Ha venido con el cerdito suelto y limado en ciertas zonas, la caja obviamente rota. Si lo quieres para exponer, exige mayor cuidado a la hora de la compra.
RESPUESTA: neutro

EJEMPLO: Para el colegio son perfectos.Duran mucho tiempo.Llegaron antes de tiempo.
RESPUESTA: positivo

EJEMPLO: Està bien para el precio que tiene
RESPUESTA: neutro

EJEMPLO: Perfecto para la medida del cajon
RESPUESTA:


MODEL OUTPUT

 positive


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

EJEMPLO: Me ha gustado mucho el producto. El diseño y calidad muy buenos. El pedido llegó muy rapido. Me ha encantado
RESPUESTA: positivo

EJEMPLO: Calidad y buen precio
RESPUESTA: neutro

EJEMPLO: Queda un poco holgada para una cama de 150, no se ajusta del todo. El blanco no es que sea muy blanco y estas sábanas de Amazon Basics tienen todas mucha electricidad estática, recomiendo lavarlas antes de ponerlas, si no, producen muchas chispas.
RESPUESTA: neutro

EJEMPLO: Estoy muy contenta. Lo conecto cuando salgo del trabajo y al llegar a casa ya está caliente. También lo puedes programar, hora de encendido, apagado, grados. Te dice también en el móvil a cuantos grados está tu casa. Yo lo recomiendo 100%
RESPUESTA: positivo

EJEMPLO: Llegó en su tiempo. Por el precio no está mal pero me esperaba otra cosa.
RESPUESTA: negativo

EJEMPLO: Calidad la justa, a mi sobrino le ha encantado por eso, se lo lleva a todas partes. Lo he encontrado en el chino de al lado de casa por un precio similar 15€
RESPUESTA:


MODEL OUTPUT

 en el móvil de lado de casa por un precio similar 15 €


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

EJEMPLO: Es una plancha, por el centro cocina y por los lados no.No la compréis la
RESPUESTA: negativo

EJEMPLO: El envio correcto, el empaquetado correcto pero para su precio esperaba algo mas grande con eso no me llega ni para una pierna lo siento muy pequeño
RESPUESTA: neutro

EJEMPLO: Cumple con lo indicado
RESPUESTA: positivo

EJEMPLO: Funciona bien, pero a veces apretando se suelta.
RESPUESTA: neutro

EJEMPLO: EL PRODUCTO ES LO QUE QUERIA .PERO CON QUIEN ESTOY ENCANTADA ES CON LA TIENDA EN LA QUE LO COMPRE. ME ATENDIERON DOS CHICOS SUPER AGRADABLES Y QUE ME SOLUCIONARON TODAS MIS DUDAS Y ME FACILITARON TODAS LAS GESTIONES DE ENTREGA Y REPOSICION DE OTRO MOVIL PORQUE EL PRIMERO AL HACER ACTUALIZACION SE ESTROPEO.
RESPUESTA: positivo

EJEMPLO: La plancha funciona bien pero no me parece correcto que en el anuncio se indique una potencia muy superior a la que realmente tiene, esta última indicada en la propia plancha.
RESPUESTA:


MODEL OUTPUT

 el plancha funciona bien, pero no me parece correcto que en el anuncio se indique una potencia muy superior a la que realmente tiene, esta ltima indicada en la prop


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

EJEMPLO: SIEMPRE LO COMPRO, PERO LO MALO ES EL PRECIO, MUY CARO Y CADA VEZ LO SUBEN MAS DE PRECIO CUANDO SON UNAS PEGATINAS. NO OBSTANTE, HACEN SU USO, PERO SOLO POR UNOS DIAS ESCASOS... AUN ASI ES UNA NOVEDAD
RESPUESTA: neutro

EJEMPLO: Las tallas ...es dificil acertar con la correcta o te aprietan mucho o te sobra...
RESPUESTA: neutro

EJEMPLO: No lo envían en caja. Se me deformó. Me devolvieron el dinero
RESPUESTA: negativo

EJEMPLO: no ha durado ni un mes, cuando le pones la pila, en la pantalla pone cargando, y no hace nada mas.
RESPUESTA: negativo

EJEMPLO: Parece que protege bien, pero lo he devuelto porque no se apoya de manera estable. Queda demasiado vertical y es fácil que se caiga.
RESPUESTA: negativo

EJEMPLO: Pues el pantalón es muy corriente, pero x el precio no puedes pedir más. La talla un disparate enano. En lugar de devolverlo me ofrecieron enviar otro. Aún no ha llegado así q...
RESPUESTA:


MODEL OUTPUT

 no ha llegado an q


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

EJEMPLO: Està bien para el precio que tiene
RESPUESTA: neutro

EJEMPLO: Para el colegio son perfectos.Duran mucho tiempo.Llegaron antes de tiempo.
RESPUESTA: positivo

EJEMPLO: Tiene un tono amarillo
RESPUESTA: neutro

EJEMPLO: Su precio al que lo coji bastante bueno
RESPUESTA: positivo

EJEMPLO: Era para otra persona y me dice que van bien. Más tarde vimos que se pueden conseguir más baratos en tiendas.
RESPUESTA: neutro

EJEMPLO: Ahorro con respecto al precio en tiendas
RESPUESTA:


MODEL OUTPUT

 neutro


PARSE RESULT

 ['neutro']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

EJEMPLO: Es una maravilla nos ha llegado super rapido y mis hijos estan encantados construyendo toda clase de cosas,me parece un juego muy didactico y que les ayuda a pensar y desarrollar su creatividad, en mi caso buscaba algo asi y he acertado Los materiales son muy buenos
RESPUESTA: positivo

EJEMPLO: Me leí el libro de la chica del semáforo y el hombre del coche y me encantó, desde mi punto de vista este libro sobraba un poco, tiene muchísimas erratas que se deberían corregir, lo dicho este libro no es necesario leerlo
RESPUESTA: negativo

EJEMPLO: Me encanta para el bebe muy practico lo recomiendo 100%
RESPUESTA: positivo

EJEMPLO: El sol la endureció y se rasgó toda en cuanto la movió un poco el viento, no recomendable.
RESPUESTA: negativo

EJEMPLO: Mala calidad, solo funciona la mitad, nada recomendable
RESPUESTA: neutro

EJEMPLO: El libro es corto, entretenido y con buenos ejemplos. Muy practico para conocer el metodo y aplicarlo rapidamente. Muu recomendable
RESPUESTA:


MODEL OUTPUT

 positive


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

EJEMPLO: Llego una semana despues de lo.acordado y encima me lo quieren cobrar mada huevos,
RESPUESTA: negativo

EJEMPLO: De las seis compradas, una me llegó así. Roto el cristal de raíz. No se bien donde escribir para la devolución o sustitucion de solo una de las seis, por eso escribo por aquí. Un saludo. Todo lo demás correcto, el resto funcionando perfectamente.
RESPUESTA: neutro

EJEMPLO: Pedido con retraso, y lo peor es que aún no ha llegado. Se trataba de un regalo y calculé para que llegara de sobra, pero el envío no ha llegado todavía y la única solucion por parte del vendedor es que espere un poco más.
RESPUESTA: negativo

EJEMPLO: Nunca llegué a recibirlo!!!!
RESPUESTA: negativo

EJEMPLO: Queda muy bien y te protege el reloj
RESPUESTA: positivo

EJEMPLO: Llegó con una semana de retraso,lo demás todo bien
RESPUESTA:


MODEL OUTPUT

 el regalo y calculé para que llegara de sobra, pero el envo no ha llegado todo lo.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

EJEMPLO: Mi hija está encantada , con 6 años tiene las uñas pequeñas todavía y le quedan muy justas las calcomanías pero ella está encantada
RESPUESTA: positivo

EJEMPLO: Està bien para el precio que tiene
RESPUESTA: neutro

EJEMPLO: Está muy bien, corren y saltan detrás de ellos.
RESPUESTA: positivo

EJEMPLO: Ha llegado la caratula un poco rajada. Por lo demás todo bien.
RESPUESTA: neutro

EJEMPLO: La parte de abajo no está mal pero el sujetador de copa me va bien pero las cintas para atarlo son muy largas
RESPUESTA: negativo

EJEMPLO: Está muy bien a mí hijo le encantó
RESPUESTA:


MODEL OUTPUT

 positive EJEMPLO: I am very happy to have gotten my text


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto. Los textos que vas procesar del ambito de opiniones de productos. Quiero que me clasifiques los textos una de las siguientes categorías: ['positivo', 'negativo', 'neutro'].
Argumenta tu respuesta paso a paso. En tu respuesta incluye sólo el nombre de la clase, como una única respuesta

EJEMPLO: Vienen un montón de cosas, como el cortahilos que me encanta , para empezar a bordar está muy bien. Los hilos no parecen de mala calidad, y hay muchos colores
RESPUESTA: positivo

EJEMPLO: La compré porque tenía la original que me quedaba grande. Ésta me queda perfecta y me encanta el color. Llevo con ella ya tiempo y sigue como el primer día.
RESPUESTA: positivo

EJEMPLO: Son los mismos colores, son botes pequeños perfectos para un mejor trazado. Al ser esmaltes de gel necesitarás una lámpara de luz UV/LED pero son perfectos para darles un toque de brillo a la manicura.
RESPUESTA: positivo

EJEMPLO: El color rojo va genial para las ojeras aguanta todo el día. Y el verde para tapar las rojeces me encantan
RESPUESTA: positivo

EJEMPLO: Es agradable y protege. Ya lo sabemos que la proteccion es así pero este año no me he quemado y tengo algo de color
RESPUESTA: positivo

EJEMPLO: El color es el que esperaba aunque la calidad y el remate es muy normalito
RESPUESTA:


MODEL OUTPUT

 color


PARSE RESULT

 ['']
[75]:
sns.heatmap(confusion_matrix(test_targets, pred_targets), annot=True, cmap="Blues")
[75]:
<Axes: >
../_images/notebooks_04_test_flant5_classification_prompts_64_1.png

Prueba 3#

[76]:
prompt = """
TEMPLATE:
    "Necesito que me ayudes en una tarea de clasificación de texto.
    {__PROMPT_DOMAIN__}
    {__PROMPT_LABELS__}

    {__CHAIN_THOUGHT__}
    {__ANSWER_FORMAT__}"


PROMPT_DOMAIN:
    ""


PROMPT_LABELS:
    ""


PROMPT_DETAIL:
    ""


CHAIN_THOUGHT:
    ""


ANSWER_FORMAT:
    ""
"""
[77]:
import seaborn as sns
from sklearn.metrics import confusion_matrix
from promptmeteo import DocumentClassifier

model = DocumentClassifier(
    language="es",
    model_name="google/flan-t5-small",
    model_provider_name="hf_pipeline",
    prompt_domain="opiniones de productos",
    prompt_labels=["positivo", "negativo", "neutro"],
    selector_k=10,
    verbose=True,
)

model.task.prompt.read_prompt(prompt)

model.train(
    examples=train_reviews,
    annotations=train_targets,
)

pred_targets = model.predict(test_reviews)
Token indices sequence length is longer than the specified maximum sequence length for this model (975 > 512). Running this sequence through the model will result in indexing errors
/opt/conda/lib/python3.10/site-packages/transformers/generation/utils.py:1270: UserWarning: You have modified the pretrained model configuration to control generation. This is a deprecated strategy to control generation and will be removed soon, in a future version. Please use a generation configuration file (see https://huggingface.co/docs/transformers/main_classes/text_generation )
  warnings.warn(


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.


EJEMPLO: Era un regalo y la verdad que esta dando la talla que deseaba!! Facil de utilización y muy creativo.
RESPUESTA: positivo

EJEMPLO: A los 3-4 dias dd haber llegado el telefono, la camara trasera dejo de funcionar. Me puse en contacto con ellos para tramitar un cambio, pero me pedian que devolviera este primero y luego ellos me mandaban otro, por lo que me quedaba sin movil, creo que lo mas conveniente es igual que viene el mensajero a traerme uno nuevo, a ma vez que se lleve el estropeado... no me podia quedar sin movil ya que solo tengo este y lo necesito. A dia de hoy todavía ando con el movil sin camara trasera... un desastre. NO LO RECOMIENDO PARA NADA!
RESPUESTA: negativo

EJEMPLO: Está bien para el precio que tiene, no sirve para llevar cosas frías, el tamaño es un poco justo, caben dos tuppers pequeños y una lata
RESPUESTA: neutro

EJEMPLO: Tuve uno de la marca Kong y lo rompió en dos días, este es mas “duro” y resistente y vuela un poco más. Encantado con la compra
RESPUESTA: positivo

EJEMPLO: bien te lo traen a casa y listo a funcionar
RESPUESTA: neutro

EJEMPLO: Después de unos meses de uso cumple su función. Materiales y acabados buenos, lo que no me gusta es que la ventana es muy oscura y cuesta ver la hora
RESPUESTA: neutro

EJEMPLO: Es justo lo que buscaba ni más ni menos y además es como la que tenía de hace ya años.
RESPUESTA: positivo

EJEMPLO: Pedido con retraso, y lo peor es que aún no ha llegado. Se trataba de un regalo y calculé para que llegara de sobra, pero el envío no ha llegado todavía y la única solucion por parte del vendedor es que espere un poco más.
RESPUESTA: negativo

EJEMPLO: En poco tiempo el asa que sube y baja ya no funciona correctamente. Estoy decepcionada, ya que era para utilizar todas las semanas.
RESPUESTA: neutro

EJEMPLO: Muy buen altas. Fue un regalo para una niña de 9 años y le gustó mucho
RESPUESTA: positivo

EJEMPLO: Fue un regalo para mi madre que usa la moto a diario y esta encantada con ellas, además de ser bastante resistentes, tienen más de un año y están muy bien.
RESPUESTA:


MODEL OUTPUT

 positive EJEMPLO: I have a gift for my mother who uses the bike to ride and this encantada with them, además de ser bastante resistentes, tienen más de un ao y están muy bien


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.


EJEMPLO: Aparentemente tiene muy buena calidad y un gran precio para venir tres protectores. Ningún problema a nivel táctil muy transparente, del tamaño exacto para la pantalla. Sin embargo, el primero no fui capaz de que se adhiriera a la pantalla (quedaba despegado la mitad); pensé que era mi inexperiencia. El segundo quedó ya mejor, pero aún y todo, no adherido del todo. Y ahí ya no es por exceso de confianza. Gracias a que uso una funda tipo libro la pantalla no queda expuesta y he reservado el tercer protector para más adelante.
RESPUESTA: neutro

EJEMPLO: El cristal le va pequeño a la pantalla, por los lados sobra un monton así que no lo cubre por completo, uno de los 2 cristales que iban en el paquete llevaba como una mota de polvo de fabrica insalvable. No lo recomiendo.
RESPUESTA: negativo

EJEMPLO: La facil instalacion y la calidad del mismo
RESPUESTA: positivo

EJEMPLO: Un desastre de producto. Los globos imposibles de inchar, sin instrucciones, Valvulas imposibles y que se rompen. No lo recomiendo en absoluto.
RESPUESTA: negativo

EJEMPLO: Cumple su propósito aunque son bastante endebles, hay que poner prendas ligeras si no se abren por el peso.
RESPUESTA: neutro

EJEMPLO: El protector de pantalla llegó un poco roto.
RESPUESTA: neutro

EJEMPLO: Calidad precio muy bien Color bonito pero se ensucia en seguida La pega fue que el protector de pantalla - cristal es muy fino y me llego quebrado. una vez puesto resistente, pero no es de agrado poner algo nuevo y que se vea ya una raya en la pantalla.
RESPUESTA: neutro

EJEMPLO: No cubre toda la pantalla. La margen negra tapa la laterales como un medio mm.
RESPUESTA: negativo

EJEMPLO: Estaba buscando unos cuchillos de carne que me durasen para muchísimo tiempo sin importarme gastar un poco más. A veces es mejor no comprar barato. Estos cuchillos van a sustituir a unos antiguos que tenía que aunque hacían bien su función se me fueron estropeando porque el mango era de plástico y de tanto lavado se fue estropeando esta parte. A primera vista ya se aprecia que son de muy buena calidad por los materiales con los que están fabricados. A destacar también el envoltorio ya que son perfectos para regalar. Muy buena compra.
RESPUESTA: positivo

EJEMPLO: Fácil de conectar, pequeño y manejable. El sonido regular y se oye bastante flojito. No lo volvería a comprar.
RESPUESTA: neutro

EJEMPLO: Son dos pantallas protectoras bastante fáciles de instalar. Vienen en una cajita muy elegante con un montón de complementos e instrucciones sencillas para que puedas instalarlas con suma facilidad. No se ensucian mucho y aguantan bastante.
RESPUESTA:


MODEL OUTPUT

 Por qué es el tarea de clasificación de texto?


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.


EJEMPLO: De momento me está encantando. Con un poquito cunde mucho. Ilumina y nutre el rostro.
RESPUESTA: positivo

EJEMPLO: No cubre toda la pantalla. La margen negra tapa la laterales como un medio mm.
RESPUESTA: negativo

EJEMPLO: No le doy las 5 estrellas por q el cristal no llega a cubrir del todo ( a lo ancho) el smartphone. Lo puse varias veces y a lo ancho se queda un poco corto. Por lo demás super bien embalado.. en si cajita antigolpes... Manual de instrucciones, toallitas.. no falta detalle la verdad.. la única pega.. la q comenté anteriormente...
RESPUESTA: neutro

EJEMPLO: La tapa del inodoro es bonita, pero los anclajes son una basura la tapa se gira si o si y cuando pretendes apretarla se rompe el anclaje
RESPUESTA: negativo

EJEMPLO: Muy caros luego los he estado viendo 2euros iguales y la misma marca .se han pasado con el margen de beneficio
RESPUESTA: neutro

EJEMPLO: Las tallas ...es dificil acertar con la correcta o te aprietan mucho o te sobra...
RESPUESTA: neutro

EJEMPLO: No asusta palomas. No sirve para lo que pone.
RESPUESTA: negativo

EJEMPLO: No me ha gustado nada. Mucho calor dentro, resiste mal el viento, aunque no sea fuerte, los enganches se sueltan de las piquetas con facilidad. No la recomiendo.
RESPUESTA: negativo

EJEMPLO: Ha llegado la caratula un poco rajada. Por lo demás todo bien.
RESPUESTA: neutro

EJEMPLO: Me leí el libro de la chica del semáforo y el hombre del coche y me encantó, desde mi punto de vista este libro sobraba un poco, tiene muchísimas erratas que se deberían corregir, lo dicho este libro no es necesario leerlo
RESPUESTA: negativo

EJEMPLO: No sé si aportará todas las propiedades que anuncia, pero como ducha aumenta la presión y las tres variantes de chorro son agradables. Y refresca. Satisfecho.
RESPUESTA:


MODEL OUTPUT

 No sé si aportará todas las propiedades que auncia, pero como ducha aumentará la presión y las tres variantes de chorro son agradables


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.


EJEMPLO: Sirve, pero no tiene mucha calidad
RESPUESTA: neutro

EJEMPLO: Gran Altavoz. Buen sonido, buenos graves, buen volumen...
RESPUESTA: positivo

EJEMPLO: Para el colegio son perfectos.Duran mucho tiempo.Llegaron antes de tiempo.
RESPUESTA: positivo

EJEMPLO: No eran las medidas que marcaban
RESPUESTA: negativo

EJEMPLO: Bueno en la oferta se incluían 5 piezas para soporte que no llegaron con el paquete
RESPUESTA: neutro

EJEMPLO: Me hubiera gustado que se vea por la noche con otro tipo de iluminación. No tengo claro que sea muy preciso.
RESPUESTA: neutro

EJEMPLO: Buen precio para la gran capacidad que tiene. No tiene ruido y es totalmente manejable.
RESPUESTA: positivo

EJEMPLO: Va bien y es más barato que otras marcas
RESPUESTA: positivo

EJEMPLO: Tiene un tono amarillo
RESPUESTA: neutro

EJEMPLO: No asusta palomas. No sirve para lo que pone.
RESPUESTA: negativo

EJEMPLO: No tiene mucha potencia
RESPUESTA:


MODEL OUTPUT

 negative


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.


EJEMPLO: la tela no es la que esperaba
RESPUESTA: neutro

EJEMPLO: El manual llegó con algunas manchas en las juntas de las páginas. Por lo demás todo perfecto.
RESPUESTA: neutro

EJEMPLO: Todavía no he tenido tiempo de probarlo, a tener en cuenta que no lleva pilas, hay que comprarlas , son de las pequeñas no de las de boton sino de las otras.
RESPUESTA: neutro

EJEMPLO: Es un disfraz que solo entra la parte de arriba del traje, viene con una máscara d látex gruesa que viene toda doblada y deforme. Pero eso no es lo peor, lo peor es que el traje cuesta 45€ y deberían de darte 45€ por ponértelo, por que es un espanto para el precio que tiene, una tela pésima, como un traje de carnaval del bazar oriental de 6€. Y lo de la talla única... uña persona que tenga una complexión algo fuerte, no le estaría bien. De verdad, es un traje que no vale en absoluto el dinero que cuesta. A si es que nada más verlo, se fue de vuelta.
RESPUESTA: negativo

EJEMPLO: La poca cantidad que venía en el sobre no da para ver resultados
RESPUESTA: negativo

EJEMPLO: Es falso,trae una bomba que no es la de Loreal.He iniciado la devolución.
RESPUESTA: negativo

EJEMPLO: Lo compré para un regalo y será utilizado con un iPhone X. No he tenido la oportunidad de probarlo con dicho teléfono, pero puedo hablar de la excelente calidad de los materiales, es pesado, se siente firme y tiene franjas con goma tanto en la parte superior para que el teléfono no se deslice y en su parte inferior para que no se deslice sobre la superficie donde se ubica. Sólo lo he conectado para probar las luces (azules) y si colocas un dispositivo para cargar, estás parpadean muy lentamente unas 5 veces y luego se apagan definitivamente, cosa que es de agradecer si lo vas a usar en tu mesa de noche. Por ahora lo recomiendo estéticamente, luego informaré de su funcionamiento.
RESPUESTA: positivo

EJEMPLO: Poco serio no me llegado nada... vivo una dirección única todos los datos bien puestos buzón único por más que me pongo en contacto no me contesta para darme una explicación
RESPUESTA: negativo

EJEMPLO: Es un poco endeble sobretodo en los botones
RESPUESTA: neutro

EJEMPLO: Un teléfono ajustado a la definición. Sencillo y práctico. El timbre de llamada un poco bajo
RESPUESTA: neutro

EJEMPLO: No trae ruedas, no de puede llegar, la tela de mancha fácilmente
RESPUESTA:


MODEL OUTPUT

 es una tarea de clasificación de texto. EJEMPLO: El manual llegó con algunas manchas en las juntas de las páginas. Por lo demás todo


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.


EJEMPLO: Llegó en el plazo indicado
RESPUESTA: positivo

EJEMPLO: Muy caros luego los he estado viendo 2euros iguales y la misma marca .se han pasado con el margen de beneficio
RESPUESTA: neutro

EJEMPLO: En poco tiempo el asa que sube y baja ya no funciona correctamente. Estoy decepcionada, ya que era para utilizar todas las semanas.
RESPUESTA: neutro

EJEMPLO: No me llegó lo que pedí y me vino incompleto
RESPUESTA: negativo

EJEMPLO: El marco cubre más del marco del reloj. O sea invade la pantalla. Siempre quedan algunas burbujas, lo he instalado 3 veces. Por último, y lo peor de todo, horrible la sensación táctil. Casi no obedece. Estoy a punto de quitarlo y comprar otro. Y eso que compre dos de este modelo.
RESPUESTA: negativo

EJEMPLO: He tenido q valorarlo con una estrella pero no sé la merece porq no duró ni una semana,con el calor y el agua se despega y para tirarlo.
RESPUESTA: negativo

EJEMPLO: El unico problema que tiene es que los hielos son un poco pequeños y que la tapa no queda bien sujeta.
RESPUESTA: positivo

EJEMPLO: El cristal se adhiere por adhesivo, no por estática. La primera vez que se me cayo, se movio. La segunda se desprendió y quedó inutilizable sin llegar a romperse. Defraudado.
RESPUESTA: negativo

EJEMPLO: Lo siento pero solamente por lo mal que ha resultado el envío con MRW y el tiempo que me han hecho perder para poder tener el paquete no volvería a comprarlo.
RESPUESTA: negativo

EJEMPLO: Llego una semana despues de lo.acordado y encima me lo quieren cobrar mada huevos,
RESPUESTA: negativo

EJEMPLO: El juego estar genial, no importa tanto el hecho de que sea de segunda mano, pero el problema es que me llegó incompleto, sin el cd de banda sonora ni las pegatinas.
RESPUESTA:


MODEL OUTPUT

 El juego estar genial, no importa tanto el hecho de que está de segunda mano, pero el problema es que me llegó incompleto, sin el cd de banda sonor


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.


EJEMPLO: No he recibido el pedido. me han hecho un reembolso por el valor de los articulos pedidos.
RESPUESTA: negativo

EJEMPLO: El articulo ha venido golpeado. El vendedor solo dice que dará conocimiento a la agencia de transporte. Nos toca quedarnos con el articulo en MAL ESTADO
RESPUESTA: negativo

EJEMPLO: El articulo parece que venia usado...mal embalado y medio abierta la caja interior....
RESPUESTA: neutro

EJEMPLO: Malisimas. Las he tenido que tirar. El cierre se deforma ademas han venido super sucias.
RESPUESTA: negativo

EJEMPLO: Todo correcto, recibido en el plazo establecido, precio razonable c c c f c c c c c c f
RESPUESTA: positivo

EJEMPLO: Nunca llegué a recibirlo!!!!
RESPUESTA: negativo

EJEMPLO: La forma en la que viene embalado el artículo provoca que la alfombrilla quede doblada. He intentado darle forma poniéndola del revés pero no queda del todo recta...
RESPUESTA: neutro

EJEMPLO: He probado varios auriculares ya. Estos sin duda son los que mejor resultado dan en cuanto a sonido y comodidad se refiere. Totalmente recomendable.
RESPUESTA: positivo

EJEMPLO: Muy pesado, difícil de desmontar, el color se desgasta, la cesta de atrás siempre con mucho polvo, he de limpiarla todos los días
RESPUESTA: neutro

EJEMPLO: El sonido me a parecido bastante decente pero me hacen daño en las orejas después de un tiempo puestos. Los he devuelto
RESPUESTA: neutro

EJEMPLO: Aún no he recibido el artículo
RESPUESTA:


MODEL OUTPUT

 no he recibido el pedido. me han hecho un reembolso por el valor de los articulos pedidos. RESPUESTA: negativo EJEMPLO: El articulo ha


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.


EJEMPLO: Para el precio que tienen, bastante bien van. No tiene manera de apagarlos o encenderlos si no es conectando/desconectando el cable.
RESPUESTA: neutro

EJEMPLO: Magnífico cable recibe la señal perfectamente.
RESPUESTA: positivo

EJEMPLO: Me he quedado un tanto decepcionado con el producto. Baja estabilidad, materiales poco resistentes, sensación de poco recorrido hacen que lo pagado sea lo justo por lo recibido. Vistas las críticas de anteriores compradores me esperaba más. Aún me estoy pensando si estrenarlo o si directamente proceder a su devolución.
RESPUESTA: neutro

EJEMPLO: Todo correcto, Muy recomendable. Buena opción para tener cables de reserva. Envio rapidisimo! Excelente relación calidad/precio. Recomendable para la empresa y en casa.
RESPUESTA: positivo

EJEMPLO: Ha venido con el cerdito suelto y limado en ciertas zonas, la caja obviamente rota. Si lo quieres para exponer, exige mayor cuidado a la hora de la compra.
RESPUESTA: neutro

EJEMPLO: Tiene el tubo muy pequeño, no sirve ni para botellas de 1 Litro. Viene empaquetado doblado lo cual facilita que se rompan los cables interiores del tubo. Un desastre y vale mucho más el envio que el producto en si.
RESPUESTA: negativo

EJEMPLO: Muy liviano, el material parece hojalata. Muy bonito por dentro y por fuera. El casquillo es bastante pobre. El cable y embellecedor están correctos. Pero se come casi toda la luz de la bombilla, necesita muchisima potencia para que de luminosidad. Y es una luz muy muy anaranjada. Si quieres un ambiente tenue, ok.
RESPUESTA: neutro

EJEMPLO: El ventilador cumple su función el problema principal para mí es que su cable de conexión es muy, muy corto y apenas me permite alejarlo un metro del enchufe
RESPUESTA: neutro

EJEMPLO: Tenía un disco duro de 80 GB procedente de un portátil que tiré y me daba pena tirarlo. Compré esta carcasa, bien barata, y ahora tendo un USB de 80 GB. Como digo: Perfecto y barato.
RESPUESTA: positivo

EJEMPLO: Es de papel muy delicado.Al abrirla se rompio un poco pero luego no se nota, no incluye ningun cable ni rosca para la bombilla, tienes que comprarlo aparte.
RESPUESTA: neutro

EJEMPLO: Estética buena, pero de momento siguen atacando los bichos. Si fuera sin cable sería mejor para llevar cerca de las zonas de descanso
RESPUESTA:


MODEL OUTPUT

 Cómo se encuentra el cable?


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.


EJEMPLO: No me ha gustado nada porque parece un libro de un niño pequeño, portada bonita pero cuando lo abres... no lo volvería a comprar nunca.
RESPUESTA: negativo

EJEMPLO: La dirección donde quieres enfocar la cámara, hay que moverla con la mano. Es tan endeble que con 6 meses que tiene la mía, ya se ha roto, y según como la enfoque, la imagen no se ve. Dinero tirado a la basura
RESPUESTA: negativo

EJEMPLO: Solo me llegó una pieza cuando el pedido era de 6
RESPUESTA: negativo

EJEMPLO: Es bastante simple y no trae muchas cosas pero más completo que otros que he visto más caros. Para el precio está bien.
RESPUESTA: neutro

EJEMPLO: Su estabilidad es muy buena, al igual que su uso. Pesa poco y ofrece mucha seguridad. Ideal para llegar a cualquier sitio normal.
RESPUESTA: positivo

EJEMPLO: No funciona lo he devuelto, no hace nada
RESPUESTA: negativo

EJEMPLO: A mí no me las ha dejado muy limpias...o no se usarlo bien o no es tan efectivo como dicen.
RESPUESTA: neutro

EJEMPLO: Pues efectivamente como ponen comentarios anteriores ....duro el rollo 30 minutos si es q llego, recambios no encuentras, una decepción total. Lo triste es q lo pidió mi niña de 4 años para Reyes y ahora q hace con eso? Pongo una estrella pq no me deja poner cero.
RESPUESTA: negativo

EJEMPLO: no ha durado ni un mes, cuando le pones la pila, en la pantalla pone cargando, y no hace nada mas.
RESPUESTA: negativo

EJEMPLO: Es justo lo que buscaba ni más ni menos y además es como la que tenía de hace ya años.
RESPUESTA: positivo

EJEMPLO: Normal. Pensaba ke seria mas gordita. Pero no, no es lo ke buscaba pero me apañare por ahora. Un 6 justito
RESPUESTA:


MODEL OUTPUT

 el juego libre juego libre juego libre juego libre juego libre juego libre juego libre juego libre juego libre juego libre juego libre juego libre juego libre juego libre juego libre


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.


EJEMPLO: Pedido con retraso, y lo peor es que aún no ha llegado. Se trataba de un regalo y calculé para que llegara de sobra, pero el envío no ha llegado todavía y la única solucion por parte del vendedor es que espere un poco más.
RESPUESTA: negativo

EJEMPLO: No ha llegado a aún....
RESPUESTA: negativo

EJEMPLO: Siempre he comprado WD y no me defrauda. Desafortunadamente no puedo decir lo mismo cuando he comprado otras marcas
RESPUESTA: positivo

EJEMPLO: Llegó en el plazo indicado
RESPUESTA: positivo

EJEMPLO: Al principio buen sonido y fácil de usar, pero en 4 meses se bloquea y no reacciona, cuando se acaba la batería funciona bien, pero se vuelve s bloquear. He procedido a su devolución
RESPUESTA: neutro

EJEMPLO: No puedo opinar sobre cómo va el producto apenas me acaba de llegar . Pero opino sobre la rapidez del envío. Me ha llegado antes de Lo previsto. Gracias
RESPUESTA: neutro

EJEMPLO: De momento me está encantando. Con un poquito cunde mucho. Ilumina y nutre el rostro.
RESPUESTA: positivo

EJEMPLO: No lo recomiendo!!! envío fue rápido .. pero muñeca tiene un ojito mal pintada ..estoy muy decepcionada con la compra deberían revisar los envíos antes de empaquetarlos
RESPUESTA: negativo

EJEMPLO: Llegaron sin los agujeros para que saliera el agua para regar
RESPUESTA: negativo

EJEMPLO: No he recibido el pedido. me han hecho un reembolso por el valor de los articulos pedidos.
RESPUESTA: negativo

EJEMPLO: A alguien le ha llegado? A mí me mandaron un mensaje k me llega el lunes pero.....he visto k desde k lo pedí han modificado la descripción y creo k si llega no será el britax b emotion 4 k llevo pidiendo desde hace meses.
RESPUESTA:


MODEL OUTPUT

 a alguien le ha llegado? A m me mandaron un mensaje k me llega el lunes pero.....he visto k desde k lo ped han modificado la


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.


EJEMPLO: Lo compré para un regalo y será utilizado con un iPhone X. No he tenido la oportunidad de probarlo con dicho teléfono, pero puedo hablar de la excelente calidad de los materiales, es pesado, se siente firme y tiene franjas con goma tanto en la parte superior para que el teléfono no se deslice y en su parte inferior para que no se deslice sobre la superficie donde se ubica. Sólo lo he conectado para probar las luces (azules) y si colocas un dispositivo para cargar, estás parpadean muy lentamente unas 5 veces y luego se apagan definitivamente, cosa que es de agradecer si lo vas a usar en tu mesa de noche. Por ahora lo recomiendo estéticamente, luego informaré de su funcionamiento.
RESPUESTA: positivo

EJEMPLO: Estaria bien que fuese mas largo el hueco pars que no se quede tsn colgado el pints labios. Cumple su funcion si no tienes mucho dinero.
RESPUESTA: neutro

EJEMPLO: Buenos materiales. Gran sonido. Sin problemas de conexión con ningún dispositivo Bluetooth que he probado. Los leds le dan un toque chic.
RESPUESTA: neutro

EJEMPLO: Pues me dejé guiar por las buenas opiniones y al final ha sido un triunfazo!! a todos en casa les ha encantado. Fácil de instalar. Todo en él es metálico lo que le da robustez. He probado un poco el sonido y bueno no hay color de grabar con este micrófono a uno de auriculares que usaba antes, lo que si aconsejo que no lo pongais muy cerca de la torre del ordenador y más si es antigua porque por muy bueno que sea el micro milagros no hace jeje Viene con un usb que por ejemplo yo lo usaré para ponerlo en el portatil y poder conectarle el microfono y unos auriculares y así poder editar con él.
RESPUESTA: positivo

EJEMPLO: la tela no es la que esperaba
RESPUESTA: neutro

EJEMPLO: El producto y su propia caja en el que viene empaquetado los botes es bueno, pero la caja del envío del trasporte es horrible. La caja del transporte llego completamente rota. De tal manera que los botes me los entregaron por un lado y la caja por otro. El transporte era de SEUR, muy mal.
RESPUESTA: neutro

EJEMPLO: Poco serio no me llegado nada... vivo una dirección única todos los datos bien puestos buzón único por más que me pongo en contacto no me contesta para darme una explicación
RESPUESTA: negativo

EJEMPLO: Es un auténtico timo, plástico de malísima calidad, lleva un ventilador de muy baja potencia, es de Pc, he metido el recipiente al congelador y ni poniéndole hielo enfria, imagínate con agua. Los botones que lleva dan la sensación que se van a romper cuando los pulsas, la tapa que tienes que quitar para sacar el recipiente luego no encaja y te tiras media hora para volverla a poner en su sitio. El agua a veces se sale y la placa electrónica que lleva el aparato no está protegida, te doy 2 días para que se rompa, esto es un timo señores, no malgasten su dinero, ni 5€ vale, le doy una estrella porque me obligan.
RESPUESTA: negativo

EJEMPLO: A los 3-4 dias dd haber llegado el telefono, la camara trasera dejo de funcionar. Me puse en contacto con ellos para tramitar un cambio, pero me pedian que devolviera este primero y luego ellos me mandaban otro, por lo que me quedaba sin movil, creo que lo mas conveniente es igual que viene el mensajero a traerme uno nuevo, a ma vez que se lleve el estropeado... no me podia quedar sin movil ya que solo tengo este y lo necesito. A dia de hoy todavía ando con el movil sin camara trasera... un desastre. NO LO RECOMIENDO PARA NADA!
RESPUESTA: negativo

EJEMPLO: No me ha gustado para nada el producto ya que las burbujas que hace se quedan y no se quitan como dicen en la descripción (pasadas 48 horas ) No lo recomiendo para nada
RESPUESTA: negativo

EJEMPLO: No sé quién puede estar interesado en semejante producto. Casi ninguna de las funciones funcionan. Lo que funciona es la calculadora,el reproductor de música, lo de contar los pasos y poco más. No sirve para nada poder mandar SMS, que cuestan dinero y nadie utiliza casi para nada, si no puedes utilizar el whatsapp, que es lo que todos tenemos y necesitamos. Ni whatsapp ni facebook, ni nada se puede usar. El reloj necesitaría otra tarjeta SIM para hacer llamadas sin conectarse al teléfono por bluetooth pero eso significa que te cobrarán unos cuatro euros más en tu operador de telefonia cada mes. El bluetooth es malísimo y no llega ni a unos centímetros, con lo cual no me llegaba ni de la muñeca hasta los cascos de las orejas. Para correr y escuchar música y mirar la hora...te durará media hora y eso con suerte y si tienes la suerte de que te llegue la señal a tus cascos desde el brazo. Muy muy muy decepcionada con este producto. Devuelto al día siguiente. Una tomadura de pelo.
RESPUESTA:


MODEL OUTPUT

 El reloj necesitara otra tarjeta SIM para hacer llamadas sin conectarse al teléfono por bluetooth pero eso significa que te cobrarán unos cuatro euros


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.


EJEMPLO: Un desastre de producto. Los globos imposibles de inchar, sin instrucciones, Valvulas imposibles y que se rompen. No lo recomiendo en absoluto.
RESPUESTA: negativo

EJEMPLO: No es lo que esperaba. Buscaba un aspirador y no un filtro, pues con éste necesito adicionalmente un aspirador lo que lo hace incomodísimo de utilizar de forma habitual
RESPUESTA: negativo

EJEMPLO: Fatal!!! No funciona en inducción aunque pone que si, es un engaño!!!!!
RESPUESTA: negativo

EJEMPLO: Compré dos y los dos dejaron de funcionar a los 5 minutos. Además emite un pitido bastante molesto. Una decepción con el producto.
RESPUESTA: negativo

EJEMPLO: Es una maravilla nos ha llegado super rapido y mis hijos estan encantados construyendo toda clase de cosas,me parece un juego muy didactico y que les ayuda a pensar y desarrollar su creatividad, en mi caso buscaba algo asi y he acertado Los materiales son muy buenos
RESPUESTA: positivo

EJEMPLO: No sirve para agua caliente se deforma
RESPUESTA: negativo

EJEMPLO: Muy fácil de instalar. Además ocupa muy poco comparado con otros sistemas. El mando a distancia con el nuevo sistema tiene un alcance verdaderamente largo y muy rápida respuesta. No se calienta.
RESPUESTA: positivo

EJEMPLO: El producto en si, esta bien, encaja perfecto, pero la mochila llegó con dos manchas de tinta supongo, y una de las cremalleras rota, aunque con la otra cierra bien.
RESPUESTA: neutro

EJEMPLO: De momento me está encantando. Con un poquito cunde mucho. Ilumina y nutre el rostro.
RESPUESTA: positivo

EJEMPLO: No entiendo como funciona.donde se puede encontrar instrucciones fe funcionamiento en castellano?
RESPUESTA: negativo

EJEMPLO: No sirve para vitrocerámicas de inducción y la compramos porque el vendedor en el anuncio asegura que si
RESPUESTA:


MODEL OUTPUT

 el vendedor en el anuncio acerca de inducción es una salida y acompaada porque el vendedor en el anuncio acer


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.


EJEMPLO: la tela no es la que esperaba
RESPUESTA: neutro

EJEMPLO: En realidad no es muy ligero, pero tampoco es algo que incomode por el grosor que aporta al móvil.
RESPUESTA: neutro

EJEMPLO: A los 5 días Sr rompió en la unión de las dos partes
RESPUESTA: negativo

EJEMPLO: Esta bien, es fino, queda mas grande de lo que se indica en el tallaje. El gorro también es grande.
RESPUESTA: neutro

EJEMPLO: A los pocos meses se ha puesto negra. No es plata
RESPUESTA: negativo

EJEMPLO: El producto y su propia caja en el que viene empaquetado los botes es bueno, pero la caja del envío del trasporte es horrible. La caja del transporte llego completamente rota. De tal manera que los botes me los entregaron por un lado y la caja por otro. El transporte era de SEUR, muy mal.
RESPUESTA: neutro

EJEMPLO: No están mal aunque son enormes, yo e cortado la parte de los aros y las puse en la parte trasera ya que sino ocupa mucho espacio.
RESPUESTA: neutro

EJEMPLO: Ya había probado varios aparatos de este tipo y este supera todos los que ya he tenido . Es muy cómodo que sea recargable y no de pilas como la mayoría. Pero además el mango giratorio es una comodidad.
RESPUESTA: positivo

EJEMPLO: Está bien para el precio que tiene, no sirve para llevar cosas frías, el tamaño es un poco justo, caben dos tuppers pequeños y una lata
RESPUESTA: neutro

EJEMPLO: Me parece una Porqueria pero la niña lo pidió a los reyes y ella está feliz
RESPUESTA: neutro

EJEMPLO: No es lo que esperaba no luce los metros que dice el vendedor
RESPUESTA:


MODEL OUTPUT

 no es lo que esperaba no luce los metros que dice el vendedor


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.


EJEMPLO: Es agradable y protege. Ya lo sabemos que la proteccion es así pero este año no me he quemado y tengo algo de color
RESPUESTA: positivo

EJEMPLO: A mi hija la ha encantado. Viene además 2 hojas con pegatinas de estrellas, círculos y formas pequeñas en color rojo y plata y se lo ha pasado genial pintando y pegándolas.
RESPUESTA: positivo

EJEMPLO: Mi hija esta en un campamento y nos pidieron que llevara unos rotuladores acrilicos para hacer distintas manualidades, pintar en tazas, piedras...etc. Esta super contenta con los rotuladores porque los colores son muy bonitos y pintan bien. Todo un acierto
RESPUESTA: positivo

EJEMPLO: Me gusta porque da un tono de color a la salita tipo cine ya que puede poner los tonos mas suaves o mas fuertes,son algo mas de 75cm y los mios rodean la tele como se ve en la foto,lo unico que veo un poco flojo es la cinta de pegar que no se lo que aguantara
RESPUESTA: positivo

EJEMPLO: Vienen un montón de cosas, como el cortahilos que me encanta , para empezar a bordar está muy bien. Los hilos no parecen de mala calidad, y hay muchos colores
RESPUESTA: positivo

EJEMPLO: La compré porque tenía la original que me quedaba grande. Ésta me queda perfecta y me encanta el color. Llevo con ella ya tiempo y sigue como el primer día.
RESPUESTA: positivo

EJEMPLO: Muy pesado, difícil de desmontar, el color se desgasta, la cesta de atrás siempre con mucho polvo, he de limpiarla todos los días
RESPUESTA: neutro

EJEMPLO: Calidad precio muy bien Color bonito pero se ensucia en seguida La pega fue que el protector de pantalla - cristal es muy fino y me llego quebrado. una vez puesto resistente, pero no es de agrado poner algo nuevo y que se vea ya una raya en la pantalla.
RESPUESTA: neutro

EJEMPLO: El difusor no es fino suelta grumos, no es transparente, el faro pierde transparencia y encima toma un color azulado no lo recomiendo usarlo para faros a no ser q seas un chapuzas
RESPUESTA: negativo

EJEMPLO: Pedí un collar rojo y me vino en color verde. Pero por lo demás el producto promete. Las luces tienen tres posiciones y es fácil de adaptar al cuello del perro.
RESPUESTA: neutro

EJEMPLO: Tengo todas las perchas iguales y este pedido me ha venido en un color mas sucio y verdoso que el marfil normal. No es color marfil como ponen en la descripcion. Y el terciopelo es mas gordo que las otras de color marfil que se ven de mejor calidad.
RESPUESTA:


MODEL OUTPUT

 te te te te te te te te te te te te te te te te te te te te te


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.


EJEMPLO: El unico problema que tiene es que los hielos son un poco pequeños y que la tapa no queda bien sujeta.
RESPUESTA: positivo

EJEMPLO: El material no es de muy buena calidad. el pedido tardo mucho ,no estoy muy contento con esta compra,no lo recomiendo
RESPUESTA: negativo

EJEMPLO: Edición muy cuidada. Tiene buen sonido y me llegó muy rápido. En perfecto estado, sin ningún rasguño. A día de hoy no tengo ninguna pega. Además es muy original, destaca entre toda la colección de vinilos.
RESPUESTA: positivo

EJEMPLO: Desde que lo monte lo he usado varias veces y de momento todo bien, El montaje es muy facil. Buen producto.
RESPUESTA: positivo

EJEMPLO: No me gusta nada de nada....pero es lo que quiere mi hija. Lo espera con ilusión....así que....bueno. Me parece un juguete muy caro para lo que es.
RESPUESTA: negativo

EJEMPLO: Ha llegado la caratula un poco rajada. Por lo demás todo bien.
RESPUESTA: neutro

EJEMPLO: Parece que protege bien, pero lo he devuelto porque no se apoya de manera estable. Queda demasiado vertical y es fácil que se caiga.
RESPUESTA: negativo

EJEMPLO: Después de unos meses de uso cumple su función. Materiales y acabados buenos, lo que no me gusta es que la ventana es muy oscura y cuesta ver la hora
RESPUESTA: neutro

EJEMPLO: El reloj está bien, se ve muy bien la hora, tiene buen diseño, los plásticos no parecen muy malos, para el precio que tiene estaría muy bien excepto sino fuera por un detalle. La hebilla sobresale mucho, se me clava en la muñeca y eso que lo he llevado bastante suelto.
RESPUESTA: neutro

EJEMPLO: Le había dado cinco estrellas y una opinión muy positiva, el aparato funcionó bien mientras funcionó, el problema es que funcionó poco tiempo. Hoy, apenas tres meses después de adquirirlo, he ido a encenderlo y en lugar de arrancar se ha quedado parado. Unos segundos más tarde ha soltado un chispazo y ahí se ha quedado. No se le ha dado ningún golpe, ni se ha usado para nada distinto a su finalidad, así que la única explicación lógica es que viniera defectuoso de fábrica. Amazon me va a reembolsar el importe en garantía en cuanto lo devuelva, así que por ese lado no tengo queja.
RESPUESTA: negativo

EJEMPLO: Lo pasamos muy bien jugando a tirar bloques de hielo. Lo único que pongo en contra son los materiales. Son de poca calidad pero cumplen su función. No se nos ha roto
RESPUESTA:


MODEL OUTPUT

 eso es el objeto de clasificación de texto. EJEMPLO: El material no es de muy buena calidad. es que la ventana es muy oscura


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.


EJEMPLO: No lo recomiendo!!! envío fue rápido .. pero muñeca tiene un ojito mal pintada ..estoy muy decepcionada con la compra deberían revisar los envíos antes de empaquetarlos
RESPUESTA: negativo

EJEMPLO: Me llegó roto aunque el paquete iba bien embalado. La talla no coincide con la medida.
RESPUESTA: negativo

EJEMPLO: Es lo que buscaba, además viene en milímetros y no en centímetros.
RESPUESTA: positivo

EJEMPLO: Buena succión de aire. Lo usé para sustituir el que tenía con las mismas medidas
RESPUESTA: neutro

EJEMPLO: El producto y su propia caja en el que viene empaquetado los botes es bueno, pero la caja del envío del trasporte es horrible. La caja del transporte llego completamente rota. De tal manera que los botes me los entregaron por un lado y la caja por otro. El transporte era de SEUR, muy mal.
RESPUESTA: neutro

EJEMPLO: El armario está bastante bien. Pero el tema de mensajeria deja mucho que desear, aunque llego relativamente rapido (algo menos de 2 semanas), vino con varios golpes los cuales dificultan el montaje e interrumpen el cierre y apertura de puertas
RESPUESTA: neutro

EJEMPLO: Lo siento pero solamente por lo mal que ha resultado el envío con MRW y el tiempo que me han hecho perder para poder tener el paquete no volvería a comprarlo.
RESPUESTA: negativo

EJEMPLO: Funciona bien, pero a veces apretando se suelta.
RESPUESTA: neutro

EJEMPLO: Para empezar, si el tiempo de envío es largo, el producto se retrasa por problema de aduanas. Solicitó la devolución, ya que es para un regalo y ante la tardanza han adquirido una prenda similar en otro sitio. Amazon me pone en contacto con el vendedor, el cual no facilita la devolución. Mientras tanto recibo el paquete y cuál es mi sorpresa que el artículo q me envían es un bolso negro, una especie de portafolios pero que nada tiene que ver con el sujetador de lactancia que encargue. Sigo en contacto con el vendedor, que aún sigue sin darme ninguna solución.
RESPUESTA: negativo

EJEMPLO: El marco cubre más del marco del reloj. O sea invade la pantalla. Siempre quedan algunas burbujas, lo he instalado 3 veces. Por último, y lo peor de todo, horrible la sensación táctil. Casi no obedece. Estoy a punto de quitarlo y comprar otro. Y eso que compre dos de este modelo.
RESPUESTA: negativo

EJEMPLO: Muy buena compra. Envió rápido como siempre y el neumático lo que buscaba. Para los que quieran balón grande tendrán que cojer la medida 2.25
RESPUESTA:


MODEL OUTPUT

 además viene en milmetros y no en centmetros.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.


EJEMPLO: Perfecto a un precio increíble
RESPUESTA: positivo

EJEMPLO: Ha venido con el cerdito suelto y limado en ciertas zonas, la caja obviamente rota. Si lo quieres para exponer, exige mayor cuidado a la hora de la compra.
RESPUESTA: neutro

EJEMPLO: Diseño poco innovador
RESPUESTA: neutro

EJEMPLO: La cámara me llegó en perfecto estado, con todos los complementos, pero la puse las pilas la encendí y parecía ir todo bien, la apagué, y ya no volvió a encender. La voy a devolver y ya pedí otra nueva. Espero q esta última funcione bien...
RESPUESTA: negativo

EJEMPLO: Para el colegio son perfectos.Duran mucho tiempo.Llegaron antes de tiempo.
RESPUESTA: positivo

EJEMPLO: Funciona perfectamente para unos repetidores que tengo.
RESPUESTA: positivo

EJEMPLO: Tuve uno de la marca Kong y lo rompió en dos días, este es mas “duro” y resistente y vuela un poco más. Encantado con la compra
RESPUESTA: positivo

EJEMPLO: todo parce bien, aun no lo he probado pero de primer vistazo todo esta correcto, no pongo más estrellas por eso
RESPUESTA: neutro

EJEMPLO: Es un regalo para la profesora..todo perfecto!!
RESPUESTA: positivo

EJEMPLO: Muy buena funda, todo perfecto!
RESPUESTA: positivo

EJEMPLO: Perfecto para personas mayores
RESPUESTA:


MODEL OUTPUT

 perfecto para unos resueltos que tengo.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.


EJEMPLO: Apenas 4 meses y ya no carga. Mucho peor que la batería original
RESPUESTA: negativo

EJEMPLO: Práctica pero le falta que el suelo sea rígido.
RESPUESTA: neutro

EJEMPLO: El arte del juego es precioso. La historia merece ser vista al menos. La edición coleccionista, a ese precio, y con este juego, merece salir de camino a casa de cualquier jugon.
RESPUESTA: positivo

EJEMPLO: EL AJUSTE A LA BARANDILLA ES MUY GRANDE EN LA POSICION MINIMA
RESPUESTA: neutro

EJEMPLO: Tuve uno de la marca Kong y lo rompió en dos días, este es mas “duro” y resistente y vuela un poco más. Encantado con la compra
RESPUESTA: positivo

EJEMPLO: Todo lo que sea dragon ball siempre me gusta, lo que no me gusta es que llegue arrugado y sucio, y más artículos de colección. Es una putada muy grande
RESPUESTA: negativo

EJEMPLO: El envío muy rápido, el mismo día del lanzamiento del libro. La lástima es que me lo han mandado algo deteriorado, en la parte superior hay una zona que está como rasgada. Era para un regalo.
RESPUESTA: neutro

EJEMPLO: Hola, se me descarga la batería en 1 hora, como puedo contactar con el vendedor?
RESPUESTA: neutro

EJEMPLO: Ha venido con el cerdito suelto y limado en ciertas zonas, la caja obviamente rota. Si lo quieres para exponer, exige mayor cuidado a la hora de la compra.
RESPUESTA: neutro

EJEMPLO: El marco cubre más del marco del reloj. O sea invade la pantalla. Siempre quedan algunas burbujas, lo he instalado 3 veces. Por último, y lo peor de todo, horrible la sensación táctil. Casi no obedece. Estoy a punto de quitarlo y comprar otro. Y eso que compre dos de este modelo.
RESPUESTA: negativo

EJEMPLO: Una pena que la duración de la batería sea escasa
RESPUESTA:


MODEL OUTPUT

 Una pena que la duración de la batera está escasa


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.


EJEMPLO: El producto y su propia caja en el que viene empaquetado los botes es bueno, pero la caja del envío del trasporte es horrible. La caja del transporte llego completamente rota. De tal manera que los botes me los entregaron por un lado y la caja por otro. El transporte era de SEUR, muy mal.
RESPUESTA: neutro

EJEMPLO: Resistente y con una batería muy duradera Ideal para trabajar en talleres. Un teléfono mediano de características técnicas a un precio muy bueno
RESPUESTA: positivo

EJEMPLO: Esta buen, queda bien en el ordenador lo deja muy protegido pero la calidad del plástico se ve que no es muy buena y que en sí no parece madera de verdad ni anda cerca de parecerlo. También tengo que decir que la carcasa que me vino es diferente a la de la foto esta es más clarita.
RESPUESTA: neutro

EJEMPLO: Bien, en cuanto a que cubre perfectamente prácticamente toda la pantalla, encajando casi a la perfección en todos los agujeros, pero...quedan reflejos tipo espejo, habrá personas que esto no les suponga ninguna molestia, pero para mi es bastante molesto, una lástima porque por lo demás está muy bien, pero esto último para mi es determinante, el anterior no cubría tan bien pero no reflejaba de esta manera, siendo más cómodo para la vista.
RESPUESTA: neutro

EJEMPLO: Es tal y lo que te pone en la descripción, sin más, aunque la apertura de la basura, con el pedal, me da la impresión que se romperá dentro de no mucho tiempo, ya que se abre muy de golpe, aunque lo presiones suavemente.
RESPUESTA: neutro

EJEMPLO: Ha llegado la funda con un defecto/golpe. No me ha gustado encontrarme algo así. No estoy muy contento con el producto. Si algo tiene un defecto de fabrica, no debería de salir. Un saludo.
RESPUESTA: negativo

EJEMPLO: No le doy las 5 estrellas por q el cristal no llega a cubrir del todo ( a lo ancho) el smartphone. Lo puse varias veces y a lo ancho se queda un poco corto. Por lo demás super bien embalado.. en si cajita antigolpes... Manual de instrucciones, toallitas.. no falta detalle la verdad.. la única pega.. la q comenté anteriormente...
RESPUESTA: neutro

EJEMPLO: A mí no me las ha dejado muy limpias...o no se usarlo bien o no es tan efectivo como dicen.
RESPUESTA: neutro

EJEMPLO: Parece que protege bien, pero lo he devuelto porque no se apoya de manera estable. Queda demasiado vertical y es fácil que se caiga.
RESPUESTA: negativo

EJEMPLO: Un teléfono ajustado a la definición. Sencillo y práctico. El timbre de llamada un poco bajo
RESPUESTA: neutro

EJEMPLO: Encaja perfectamente y cubre todo el teléfono, no se desliza y es muy limpia, la única pega es que el plástico es muy duro y los botones de los laterales están cubiertos y tienes que hacer mucha fuerza para pulsarlos. Otra cosa que no me acaba de convencer es el dibujo interior que debería ser completamente liso.
RESPUESTA:


MODEL OUTPUT

 encaja perfectamente y cubre todo el teléfono, no se desliza y es muy limpia, la nica pega es que el plástico es muy dur


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.


EJEMPLO: Funciona bien pero se nota que la calidad no es la de la original.
RESPUESTA: neutro

EJEMPLO: Muy bonitos pero bastante pequeños. Precio elevado. Más de ocho euros
RESPUESTA: neutro

EJEMPLO: El recambio es igual a las originales, compramos este modelo porque para mi gusto, limpian mejor que las que solo son redondas. Ajusta perfecto al cepillo Oral-B y tienes recambios para olvidarte de ellos durante muchisimo tiempo!
RESPUESTA: positivo

EJEMPLO: Todo correcto, recibido en el plazo establecido, precio razonable c c c f c c c c c c f
RESPUESTA: positivo

EJEMPLO: Esta bien eso si el producto no tiene el diámetro que indican no es de 41 si no de 36
RESPUESTA: neutro

EJEMPLO: El reloj está bien, se ve muy bien la hora, tiene buen diseño, los plásticos no parecen muy malos, para el precio que tiene estaría muy bien excepto sino fuera por un detalle. La hebilla sobresale mucho, se me clava en la muñeca y eso que lo he llevado bastante suelto.
RESPUESTA: neutro

EJEMPLO: Mi valoración no es sobre el producto sino sobre AMAZON. Ofrecéis el producto a 299€ y tras varios días me devolvéis el dinero porque os habéis equivocado en el anuncio, según vosotros, ahora es 399€. Es la primera vez que me ocurre esto. Cuando he comprado en cualquier sitio y el precio marcado no se correspondía con el valor de caja siempre me lo han vendido con el precio marcado. Es inverosímil lo ocurrido, pero la ultima palabra me la dará la oficina del consumidor
RESPUESTA: negativo

EJEMPLO: De las seis compradas, una me llegó así. Roto el cristal de raíz. No se bien donde escribir para la devolución o sustitucion de solo una de las seis, por eso escribo por aquí. Un saludo. Todo lo demás correcto, el resto funcionando perfectamente.
RESPUESTA: neutro

EJEMPLO: La compré porque tenía la original que me quedaba grande. Ésta me queda perfecta y me encanta el color. Llevo con ella ya tiempo y sigue como el primer día.
RESPUESTA: positivo

EJEMPLO: Cumple sin más, relación calidad/precio aceptable. Fácil de instalar. La verdad que hay otras opciones que me parecen mejor, pero no está mal.
RESPUESTA: neutro

EJEMPLO: compré los originales bmw y me costaron 50 euros, estos son identicos a los originales, limpia bien medidas perfectas facil d instalar, durabilidad no lo se llevan poco tiempo
RESPUESTA:


MODEL OUTPUT

 compré los originales bmw y me costaron 50 euros, estos son identicos a los originales, limpia bien medidas perfectas facil d instalar, durabilidad no lo se llevan poco tiempo


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.


EJEMPLO: Es muy pequeña y tardó bastante en llegar. Pienso que es una pieza más para aire que para agua. El paso es muy pequeño.
RESPUESTA: neutro

EJEMPLO: Mala calidad, solo funciona la mitad, nada recomendable
RESPUESTA: neutro

EJEMPLO: Es cómodo de buen material y se adapta perfectamente a la Tablet. Buen diseño agradable al tacto. El trípode también es de utilidad.
RESPUESTA: positivo

EJEMPLO: Rápido y confiable, muy recomendable.
RESPUESTA: positivo

EJEMPLO: bien te lo traen a casa y listo a funcionar
RESPUESTA: neutro

EJEMPLO: Es bastante rígido, aunque le falta peso para una pegada dura.Muy buen material.
RESPUESTA: neutro

EJEMPLO: Por lo que cuesta, no está mal, recomendable su compra, como producto asequible.
RESPUESTA: neutro

EJEMPLO: Fácil de conectar, pequeño y manejable. El sonido regular y se oye bastante flojito. No lo volvería a comprar.
RESPUESTA: neutro

EJEMPLO: Hice pan y la verdad es que va muy bien!
RESPUESTA: positivo

EJEMPLO: La parte de abajo no está mal pero el sujetador de copa me va bien pero las cintas para atarlo son muy largas
RESPUESTA: negativo

EJEMPLO: Es bastante bonita y se ajusta bastante bien al tlf muy muy recomendable
RESPUESTA:


MODEL OUTPUT

 ltimo es bastante bonita y se ajusta bastante bien al tlf muy bien recomendable


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.


EJEMPLO: No ha durado ni un año y medio practicamente sin uso...
RESPUESTA: negativo

EJEMPLO: Después de mas de mes y medio esperando el producto, el día antes de que se cumpliera el plazo de entrega me llegó un mensaje de la empresa de que anulaba mi pedido
RESPUESTA: negativo

EJEMPLO: Muy fino, abriga poco
RESPUESTA: neutro

EJEMPLO: No pesa, no abulta, no se mueve. Me parece perfecto. Para una micro cuatro tercios, es perfecto. Si lo recomiendo.
RESPUESTA: positivo

EJEMPLO: Sirve, pero no tiene mucha calidad
RESPUESTA: neutro

EJEMPLO: Anatómicamente no me sirve, lo encuentro incómodo. Demasiado grande.
RESPUESTA: negativo

EJEMPLO: Llegó en su tiempo. Por el precio no está mal pero me esperaba otra cosa.
RESPUESTA: negativo

EJEMPLO: Es un rollo para ponerlo en marcha...
RESPUESTA: neutro

EJEMPLO: Producto sencillo, barato y útil
RESPUESTA: positivo

EJEMPLO: A mi personalmente no me hicieron nada, incluso tomando 2
RESPUESTA: negativo

EJEMPLO: pero este me salió malo...
RESPUESTA:


MODEL OUTPUT

 negative


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.


EJEMPLO: Muy bonitos pero bastante pequeños. Precio elevado. Más de ocho euros
RESPUESTA: neutro

EJEMPLO: Despues de 2 dias esperando la entrega ,tuve que ir a buscarlo a la central de DHL de tarragona ,pese a haber pagado gastos de envio (10 euros),y encima me encuentro con un paquete todo golpeado en el que faltan partes del embalaje de carton y el resto esta sujeto por multitud de tiras de celo gigantesco pata que no se desmonte el resto de la caja ,nefasto he hecho varias reclamaciones a la empresa de transporte y encima me encuentro el paquete en unas condiciones horrorosas con multiples golpes,espero que al menos funcione.Nada recomendable,ni el vendedor ni amazon ni por supuesto el transportista DHL.
RESPUESTA: negativo

EJEMPLO: no ha durado ni un mes, cuando le pones la pila, en la pantalla pone cargando, y no hace nada mas.
RESPUESTA: negativo

EJEMPLO: És un aparato que calidad precio no se puede pedir nada más, no tiene sorpresa,és un aparato sencillo
RESPUESTA: neutro

EJEMPLO: En su línea, la verdad. Acción hasta el final, mujeres apasionantes, hombres enamorados y mucha acción. La verdad es que engancha desde el principio.
RESPUESTA: positivo

EJEMPLO: Lo compre pensando en conectar para transmisión de datos y solo sirve para cargar la batería. Para esto último es práctico. Pero si lo quieres para otra cosa no vale.
RESPUESTA: neutro

EJEMPLO: Para el precio que tienen, bastante bien van. No tiene manera de apagarlos o encenderlos si no es conectando/desconectando el cable.
RESPUESTA: neutro

EJEMPLO: El articulo ha venido golpeado. El vendedor solo dice que dará conocimiento a la agencia de transporte. Nos toca quedarnos con el articulo en MAL ESTADO
RESPUESTA: negativo

EJEMPLO: Pense que por el precio tan barato no iba a ser muy bueno pero todl lo contrario. Lo puse en la parte trasera moto y me va super bien y soy mas visible.
RESPUESTA: positivo

EJEMPLO: Cumple su propósito aunque son bastante endebles, hay que poner prendas ligeras si no se abren por el peso.
RESPUESTA: neutro

EJEMPLO: aunque en el anuncio pone precio final luego al pagar te cobran el transporte.
RESPUESTA:


MODEL OUTPUT

 en el anuncio pone precio final luego al pagar te cobran el transporte.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.


EJEMPLO: Es justo lo que buscaba ni más ni menos y además es como la que tenía de hace ya años.
RESPUESTA: positivo

EJEMPLO: El reloj está bien, se ve muy bien la hora, tiene buen diseño, los plásticos no parecen muy malos, para el precio que tiene estaría muy bien excepto sino fuera por un detalle. La hebilla sobresale mucho, se me clava en la muñeca y eso que lo he llevado bastante suelto.
RESPUESTA: neutro

EJEMPLO: Me ha gustado porque tiene una buena estructura y gran capacidad para guardar ropa, calzado...
RESPUESTA: positivo

EJEMPLO: El envio correcto, el empaquetado correcto pero para su precio esperaba algo mas grande con eso no me llega ni para una pierna lo siento muy pequeño
RESPUESTA: neutro

EJEMPLO: Está muy bien, corren y saltan detrás de ellos.
RESPUESTA: positivo

EJEMPLO: Estaria bien que fuese mas largo el hueco pars que no se quede tsn colgado el pints labios. Cumple su funcion si no tienes mucho dinero.
RESPUESTA: neutro

EJEMPLO: No me ha gustado nada porque parece un libro de un niño pequeño, portada bonita pero cuando lo abres... no lo volvería a comprar nunca.
RESPUESTA: negativo

EJEMPLO: ha salido con defecto, en llamadas salientes no se oye al interlocutor, lo cambie por otro igual y he tenido el mismo problema
RESPUESTA: negativo

EJEMPLO: 3 estrellas porque llegó tarde y no en la fecha prevista.Como no el reparto tenía que ser con Seur.En cuanto a la mochila es tal y como la ves,ni más ni menos.
RESPUESTA: neutro

EJEMPLO: Hola buenas, me llego el reloj el dia 11 y no funciona bien, le tocas para ver la hora o ponerlo en marcha y va cuando quiere, le tienes que dar muchisimas veces. Lo que deseo saber es como hacer la devolución y que me enviarán otro en perfecto estado. Gracias Atentamente Paqui
RESPUESTA: negativo

EJEMPLO: Lo compre estando embarazada y la verdad k no sabria decir si funciona o no pk tuve la suerte de no salirme estrias. Aunk tengo amigas k lo usaron y les salieron estrias igual y tampoco es k se las mejorase. No se si lo recomendaria. Lo bueno k huele bien y no mancha la ropa.
RESPUESTA:


MODEL OUTPUT

 Qué compre estando embarazada y la verdad k ni sabria decir si funciona o no pk tuve la suerte de no salirme es el t


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.


EJEMPLO: Estuche para flauta muy cómodo. Muy buenos acabados. Esta marca ofrece productos de muy buena calidad.
RESPUESTA: positivo

EJEMPLO: Es lo que buscaba, además viene en milímetros y no en centímetros.
RESPUESTA: positivo

EJEMPLO: Se me ha desconchado al despegar una pieza. Lo he devuelto.
RESPUESTA: negativo

EJEMPLO: Muy buen producto. Viene con pilas para la luz. Muy estable y practico. La verdad es que lo recomiendo totalmente
RESPUESTA: positivo

EJEMPLO: Es bastante rígido, aunque le falta peso para una pegada dura.Muy buen material.
RESPUESTA: neutro

EJEMPLO: Fácil de conectar, pequeño y manejable. El sonido regular y se oye bastante flojito. No lo volvería a comprar.
RESPUESTA: neutro

EJEMPLO: Un desastre de producto. Los globos imposibles de inchar, sin instrucciones, Valvulas imposibles y que se rompen. No lo recomiendo en absoluto.
RESPUESTA: negativo

EJEMPLO: El producto en si, esta bien, encaja perfecto, pero la mochila llegó con dos manchas de tinta supongo, y una de las cremalleras rota, aunque con la otra cierra bien.
RESPUESTA: neutro

EJEMPLO: Por observaciones previas pensaba que incluia cristal templado y no lo incluye
RESPUESTA: neutro

EJEMPLO: Nunca llegó. SERVICIO NEFASTO. Ni os molestéis en comprarlo. Lo pedí el día 5 de Marzo, me comunique con ellos y no hubo respuesta.
RESPUESTA: negativo

EJEMPLO: Efecto frío combinado con mentol. Lubrica bastante bien aunque no dura demasiado (base acuosa). Buen lubricante para probar efecto frio con buen sabor :D. Tampoco he probado otros para poder comparar pero calidad-precio buena. 3/5
RESPUESTA:


MODEL OUTPUT

 3/5


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.


EJEMPLO: Ya en la primera carga no duró ni dos horas
RESPUESTA: negativo

EJEMPLO: Quedan perfectas y para mi gusto sientan mejor que el modelo OS que también tengo y resulta caluroso frente a este.
RESPUESTA: positivo

EJEMPLO: No me gusta nada de nada....pero es lo que quiere mi hija. Lo espera con ilusión....así que....bueno. Me parece un juguete muy caro para lo que es.
RESPUESTA: negativo

EJEMPLO: No me ha llegado el producto. Fecha prevista 9 marzo. Figura como enviado. No sé que ha podido pasar. Gracias
RESPUESTA: negativo

EJEMPLO: Era para otra persona y me dice que van bien. Más tarde vimos que se pueden conseguir más baratos en tiendas.
RESPUESTA: neutro

EJEMPLO: Queda muy bien y te protege el reloj
RESPUESTA: positivo

EJEMPLO: El envio correcto, el empaquetado correcto pero para su precio esperaba algo mas grande con eso no me llega ni para una pierna lo siento muy pequeño
RESPUESTA: neutro

EJEMPLO: Aun lo pruebo, a ver como me va
RESPUESTA: neutro

EJEMPLO: Para llevarlo en la autocaravana para mi yorsay
RESPUESTA: positivo

EJEMPLO: A mí no me las ha dejado muy limpias...o no se usarlo bien o no es tan efectivo como dicen.
RESPUESTA: neutro

EJEMPLO: No me valen para mí Honda y se vendo como que si
RESPUESTA:


MODEL OUTPUT

 el mercado es tan efectivo como dicen.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.


EJEMPLO: Entretenido pero preguntas muy difíciles para los niños y los que no son tan niños
RESPUESTA: neutro

EJEMPLO: Muy buena relación calidad precio aparentemente, habrá que utilizarlos para saber si el resultado es bueno a largo plazo , esperaremos
RESPUESTA: positivo

EJEMPLO: De facil lectura es una interesante propuesta de actividades para que en especial los niños disfruten de un verano lleno de originales actividades que le hagan crecer divirtiéndose. También interesante propuesta para nosotros los adultos para conectar con ese niño que llevamos dentro.
RESPUESTA: positivo

EJEMPLO: Muy buen altas. Fue un regalo para una niña de 9 años y le gustó mucho
RESPUESTA: positivo

EJEMPLO: Con un bebé de dos meses la verdad es que me ayuda mucho cuando le dejo en la hamaca con el sonido de las olas y las bolitas que cuelgan , parece que no pero realmente se entretiene hasta que llega a dormirse
RESPUESTA: positivo

EJEMPLO: Pues efectivamente como ponen comentarios anteriores ....duro el rollo 30 minutos si es q llego, recambios no encuentras, una decepción total. Lo triste es q lo pidió mi niña de 4 años para Reyes y ahora q hace con eso? Pongo una estrella pq no me deja poner cero.
RESPUESTA: negativo

EJEMPLO: Su estabilidad es muy buena, al igual que su uso. Pesa poco y ofrece mucha seguridad. Ideal para llegar a cualquier sitio normal.
RESPUESTA: positivo

EJEMPLO: Muy bonitas y el precio genial
RESPUESTA: positivo

EJEMPLO: Es una maravilla nos ha llegado super rapido y mis hijos estan encantados construyendo toda clase de cosas,me parece un juego muy didactico y que les ayuda a pensar y desarrollar su creatividad, en mi caso buscaba algo asi y he acertado Los materiales son muy buenos
RESPUESTA: positivo

EJEMPLO: No me ha gustado nada porque parece un libro de un niño pequeño, portada bonita pero cuando lo abres... no lo volvería a comprar nunca.
RESPUESTA: negativo

EJEMPLO: Buenas actividades para niño de 4 años
RESPUESTA:


MODEL OUTPUT

 positive


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.


EJEMPLO: Aún no lo he probado. Algo malo es que vienen las instrucciones en inglés y nada en español.
RESPUESTA: neutro

EJEMPLO: No me ha gustado nada porque parece un libro de un niño pequeño, portada bonita pero cuando lo abres... no lo volvería a comprar nunca.
RESPUESTA: negativo

EJEMPLO: Le había dado cinco estrellas y una opinión muy positiva, el aparato funcionó bien mientras funcionó, el problema es que funcionó poco tiempo. Hoy, apenas tres meses después de adquirirlo, he ido a encenderlo y en lugar de arrancar se ha quedado parado. Unos segundos más tarde ha soltado un chispazo y ahí se ha quedado. No se le ha dado ningún golpe, ni se ha usado para nada distinto a su finalidad, así que la única explicación lógica es que viniera defectuoso de fábrica. Amazon me va a reembolsar el importe en garantía en cuanto lo devuelva, así que por ese lado no tengo queja.
RESPUESTA: negativo

EJEMPLO: Compre este vapeador para un amigo y es perfecto pero a las primeras de uso ya estaba goteando y le a perdido mucho líquido. 2 botes en un día. Voy a tener que devolverlo.
RESPUESTA: negativo

EJEMPLO: A los pocos meses se ha puesto negra. No es plata
RESPUESTA: negativo

EJEMPLO: No entiendo como funciona.donde se puede encontrar instrucciones fe funcionamiento en castellano?
RESPUESTA: negativo

EJEMPLO: Al principio buen sonido y fácil de usar, pero en 4 meses se bloquea y no reacciona, cuando se acaba la batería funciona bien, pero se vuelve s bloquear. He procedido a su devolución
RESPUESTA: neutro

EJEMPLO: Llego una semana despues de lo.acordado y encima me lo quieren cobrar mada huevos,
RESPUESTA: negativo

EJEMPLO: Lo siento pero solamente por lo mal que ha resultado el envío con MRW y el tiempo que me han hecho perder para poder tener el paquete no volvería a comprarlo.
RESPUESTA: negativo

EJEMPLO: No he podido usarla porque no funcionaba el mando a distancia
RESPUESTA: negativo

EJEMPLO: no lo volvería a comprar, no le he encontrado ninguna utilidad, no es lo que esperaba, yo diría que no funciona, quizá sea inutilidad mía pero lo cierto es que no he conseguido utilizarlo, dinero perdido
RESPUESTA:


MODEL OUTPUT

 eso no lo volvera a comprar, no lo encontrado ninguna utilidad, no lo lo esperaba, yo dira que no funciona, quizá ser inutilidad ma, per


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.


EJEMPLO: Funciona bien pero se nota que la calidad no es la de la original.
RESPUESTA: neutro

EJEMPLO: Comoda, y de buena calidad, recomendada
RESPUESTA: positivo

EJEMPLO: Es un buen cinturón, estoy contento con el, se le ve de buen material y funciona de manera perfecta, contento.
RESPUESTA: positivo

EJEMPLO: Muy buena relación calidad precio aparentemente, habrá que utilizarlos para saber si el resultado es bueno a largo plazo , esperaremos
RESPUESTA: positivo

EJEMPLO: El material no es de muy buena calidad. el pedido tardo mucho ,no estoy muy contento con esta compra,no lo recomiendo
RESPUESTA: negativo

EJEMPLO: Funciona perfectamente para unos repetidores que tengo.
RESPUESTA: positivo

EJEMPLO: Mejor de lo que esperaba, tiene buena capacidad y queda perfecto. Es más grande de lo que esperaba. Por fin el vidrio está ordenado.
RESPUESTA: positivo

EJEMPLO: Perfectas. Encajan perfectamente en el coche. Buena calidad del material. Las imágenes se ajustan a la realidad. Un 10. Recomendable 100%. Os ahorráis un dinero. Y mucha mejor calidad que las originales.
RESPUESTA: positivo

EJEMPLO: Cumplen satisfactoriamente con la función. Se pueden recortar y son gruesas. Buena relación calidad precio
RESPUESTA: positivo

EJEMPLO: Después de un año de tenerlas, muy contenta. Tras varios lavados y secadoras no tiene bolitas. Muy buena calidad. Lo único que la funda de cojín es demasiado grande para mi gusto.
RESPUESTA: positivo

EJEMPLO: Muy buena calidad, despues de hacer la reparacion queda como si fuera original, muy contento.
RESPUESTA:


MODEL OUTPUT

 positive


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.


EJEMPLO: Muy buena calidad. Lo recomiendo.
RESPUESTA: positivo

EJEMPLO: He probado el manómetro y no aguanta con la presión para compararla, la va perdiendo poco a poco, y no es igual que otros manómetros.
RESPUESTA: neutro

EJEMPLO: El armario está bastante bien. Pero el tema de mensajeria deja mucho que desear, aunque llego relativamente rapido (algo menos de 2 semanas), vino con varios golpes los cuales dificultan el montaje e interrumpen el cierre y apertura de puertas
RESPUESTA: neutro

EJEMPLO: El reloj está bien, se ve muy bien la hora, tiene buen diseño, los plásticos no parecen muy malos, para el precio que tiene estaría muy bien excepto sino fuera por un detalle. La hebilla sobresale mucho, se me clava en la muñeca y eso que lo he llevado bastante suelto.
RESPUESTA: neutro

EJEMPLO: Envío rápido pero la bolsa viene sin caja ( en otras tiendas online viene mejor empaquetado) y por consecuencia la bolsa tenía varios puntos con agujeros... La comida está en buen estado pero ya no te da la misma confianza. Fecha de caducidad correcta.
RESPUESTA: neutro

EJEMPLO: Buenos guantes, calentitos, quizás un poco pequeños, pero yo tengo manos grandes. Al quedarme pequeños y estirarlos un poco, se ha roto el encaje.
RESPUESTA: neutro

EJEMPLO: El unico problema que tiene es que los hielos son un poco pequeños y que la tapa no queda bien sujeta.
RESPUESTA: positivo

EJEMPLO: Mi hija está encantada , con 6 años tiene las uñas pequeñas todavía y le quedan muy justas las calcomanías pero ella está encantada
RESPUESTA: positivo

EJEMPLO: Es justo lo que buscaba ni más ni menos y además es como la que tenía de hace ya años.
RESPUESTA: positivo

EJEMPLO: És un aparato que calidad precio no se puede pedir nada más, no tiene sorpresa,és un aparato sencillo
RESPUESTA: neutro

EJEMPLO: El abrigo cumple, es caliente , tiene para las manos, es un buen articulo, por poner pega los hombros sobresalen un poco demás
RESPUESTA:


MODEL OUTPUT

 El abrigo cumple, es caliente, tiene para las manos, es un buen articulo, por poner pega los hombros sobresalen un poco demás


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.


EJEMPLO: Después de unos meses de uso cumple su función. Materiales y acabados buenos, lo que no me gusta es que la ventana es muy oscura y cuesta ver la hora
RESPUESTA: neutro

EJEMPLO: Pegan muy bien a la base con el velcro, las he usado con madera y para pulir resina epoxi y van de lujo, compré tambien la base del taladro, la engancho a la mesa y a trabajar.
RESPUESTA: positivo

EJEMPLO: Tiene el tubo muy pequeño, no sirve ni para botellas de 1 Litro. Viene empaquetado doblado lo cual facilita que se rompan los cables interiores del tubo. Un desastre y vale mucho más el envio que el producto en si.
RESPUESTA: negativo

EJEMPLO: Es cómodo de buen material y se adapta perfectamente a la Tablet. Buen diseño agradable al tacto. El trípode también es de utilidad.
RESPUESTA: positivo

EJEMPLO: La calidad no es muy buena. A la primera puesta le han salido un montón de bolas y me ha dejado el colchón lleno de pelusas como se puede ver en la foto adjunta. Además, los laterales no viene con costura. No lo recomiendo.
RESPUESTA: negativo

EJEMPLO: El cristal le va pequeño a la pantalla, por los lados sobra un monton así que no lo cubre por completo, uno de los 2 cristales que iban en el paquete llevaba como una mota de polvo de fabrica insalvable. No lo recomiendo.
RESPUESTA: negativo

EJEMPLO: Las compré para aguas abiertas, muy buenas gafas una vez que las ajustas bien. Por el material parece que entre agua, pero no. Una gran ventaja que tengan lentes polarizadas, van muy bien cuando da el sol de cara. Muy buen producto, ya veremos cuanto dura la estanqueidad.
RESPUESTA: positivo

EJEMPLO: Queda un poco holgada para una cama de 150, no se ajusta del todo. El blanco no es que sea muy blanco y estas sábanas de Amazon Basics tienen todas mucha electricidad estática, recomiendo lavarlas antes de ponerlas, si no, producen muchas chispas.
RESPUESTA: neutro

EJEMPLO: Esta bien, es fino, queda mas grande de lo que se indica en el tallaje. El gorro también es grande.
RESPUESTA: neutro

EJEMPLO: Las figuras son aleatorias y vale lo mismo que en cualquier tienda/kiosco. Por lo tanto si lo coge el niño en la tienda puede ver si los tiene o no. En la foto salen los más difíciles de conseguir, los que quieren los niños, y luego vienen los que les parece. Repito, no merece la pena comprarlos por aquí, todo son inconvenientes.
RESPUESTA: negativo

EJEMPLO: Es bonito y el acabado de las tablas está bien (mejor que muchos de IKEA). No ocurre lo mismo con el de las varillas, que se raya con mirarlo y ya venía algo tocado del roce en la caja. El problema es que la varilla donde cuelgan las perchas, si son de metal, con seguridad lo va a desconchar. El montaje normal, al estilo IKEA, con instrucciones claras y herramientas necesarias. Con el uso iremos viendo el agua te de la rosca de los tornillos.
RESPUESTA:


MODEL OUTPUT

 el acabado de los tablas está bien (mejor que muchos de IKEA). No ocurre lo mismo con el de las varillas, que se raya con mirarlo y ya


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.


EJEMPLO: Poco serio no me llegado nada... vivo una dirección única todos los datos bien puestos buzón único por más que me pongo en contacto no me contesta para darme una explicación
RESPUESTA: negativo

EJEMPLO: una funda para ordenador de buena calidad y que, aun su uso, no se estropea con facilidad. Vale la pena hacer esta compra.
RESPUESTA: positivo

EJEMPLO: Para empezar, si el tiempo de envío es largo, el producto se retrasa por problema de aduanas. Solicitó la devolución, ya que es para un regalo y ante la tardanza han adquirido una prenda similar en otro sitio. Amazon me pone en contacto con el vendedor, el cual no facilita la devolución. Mientras tanto recibo el paquete y cuál es mi sorpresa que el artículo q me envían es un bolso negro, una especie de portafolios pero que nada tiene que ver con el sujetador de lactancia que encargue. Sigo en contacto con el vendedor, que aún sigue sin darme ninguna solución.
RESPUESTA: negativo

EJEMPLO: Mejor de lo que esperaba, tiene buena capacidad y queda perfecto. Es más grande de lo que esperaba. Por fin el vidrio está ordenado.
RESPUESTA: positivo

EJEMPLO: Es muy pequeña y tardó bastante en llegar. Pienso que es una pieza más para aire que para agua. El paso es muy pequeño.
RESPUESTA: neutro

EJEMPLO: Descripcion buena. Muy rapido y fiable. Gracias
RESPUESTA: positivo

EJEMPLO: Sirve para ir por rectas pero si coges una curva del circuito se sale el 100%de las veces por lo que lo tienes que poner con las manos. Esto hace que te aburras. No lo recomiendo.
RESPUESTA: neutro

EJEMPLO: Lo siento pero solamente por lo mal que ha resultado el envío con MRW y el tiempo que me han hecho perder para poder tener el paquete no volvería a comprarlo.
RESPUESTA: negativo

EJEMPLO: En poco tiempo el asa que sube y baja ya no funciona correctamente. Estoy decepcionada, ya que era para utilizar todas las semanas.
RESPUESTA: neutro

EJEMPLO: Me encanto. Ya los he comprado varias veces.
RESPUESTA: positivo

EJEMPLO: Estoy muy decepcionado con el vendedor ya que el pedido no me llegó a tiempo y no cumplió los plazos de envío y era una cosa que necesitaba urgente. Para colmo me pongo en contacto con el vendedor y no da señales. No recomiendo nada
RESPUESTA:


MODEL OUTPUT

 vivo una dirección nica todos los datos bien puestos buzón nico por más que me pongo en contacto no me contesta para darme una explicación


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.


EJEMPLO: Tuve que devolver el producto porque llegó averiado, no se encendía. Afortunadamente el servicio de devolución de AMAZON funcionó perfectamente.
RESPUESTA: negativo

EJEMPLO: Todo perfecto,lo unica malo es que el transportista forzo el DVD para entrarlo en el buzon y no pico el timbre estando yo en casa.
RESPUESTA: positivo

EJEMPLO: Sirve para ir por rectas pero si coges una curva del circuito se sale el 100%de las veces por lo que lo tienes que poner con las manos. Esto hace que te aburras. No lo recomiendo.
RESPUESTA: neutro

EJEMPLO: Era un regalo para unos amigos. Al parecer se ajusta perfectamente a lo que necesitaban
RESPUESTA: neutro

EJEMPLO: no me llego el pedido
RESPUESTA: negativo

EJEMPLO: Me he tenido que comprar tornillos, porque los que vienen no sirven para Samsung. Por lo demas ok
RESPUESTA: neutro

EJEMPLO: Queda un poco holgada para una cama de 150, no se ajusta del todo. El blanco no es que sea muy blanco y estas sábanas de Amazon Basics tienen todas mucha electricidad estática, recomiendo lavarlas antes de ponerlas, si no, producen muchas chispas.
RESPUESTA: neutro

EJEMPLO: Pues me dejé guiar por las buenas opiniones y al final ha sido un triunfazo!! a todos en casa les ha encantado. Fácil de instalar. Todo en él es metálico lo que le da robustez. He probado un poco el sonido y bueno no hay color de grabar con este micrófono a uno de auriculares que usaba antes, lo que si aconsejo que no lo pongais muy cerca de la torre del ordenador y más si es antigua porque por muy bueno que sea el micro milagros no hace jeje Viene con un usb que por ejemplo yo lo usaré para ponerlo en el portatil y poder conectarle el microfono y unos auriculares y así poder editar con él.
RESPUESTA: positivo

EJEMPLO: Me equivoqué al comprar este soldador. No me sirvió para soldar una pequeñita pieza de hierro. El soldador de estaño sirve para soldar circuitos impresos con filamentos de cobre muy delgados.
RESPUESTA: negativo

EJEMPLO: Poner una estrella por poner algo, pero ya es la tercera y vez que llamo a amazon para reclamar por garantía el reloj, y con el tiempo no se si por el calor por lo uso cada día para eso está para usarlo, pero salen muy malos se agrieta la pantalla sin darle ningun golpe, salen malos, ya me canso de reclamarle hasta la ultima llamada me enfade,
RESPUESTA: negativo

EJEMPLO: lo cogí en el outlet de amazón , me vino lleno de pelusa o pelos , y con la caja de un philips, lo devolví al segundo
RESPUESTA:


MODEL OUTPUT

 el ao de amazón , me vino lleno de pesa o pelos , y con la caja de un philips, lo devolv al segundo


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.


EJEMPLO: Me ha gustado mucho el producto. El diseño y calidad muy buenos. El pedido llegó muy rapido. Me ha encantado
RESPUESTA: positivo

EJEMPLO: Calidad y buen precio
RESPUESTA: neutro

EJEMPLO: Comoda, y de buena calidad, recomendada
RESPUESTA: positivo

EJEMPLO: Mala calidad, solo funciona la mitad, nada recomendable
RESPUESTA: neutro

EJEMPLO: Calidad increíble, sabor muy intenso. Se nota que es un producto natural... Merece la pena pagar lo que vale. Muy satisfecho.
RESPUESTA: positivo

EJEMPLO: Estuche para flauta muy cómodo. Muy buenos acabados. Esta marca ofrece productos de muy buena calidad.
RESPUESTA: positivo

EJEMPLO: Funciona bien pero se nota que la calidad no es la de la original.
RESPUESTA: neutro

EJEMPLO: He solicitado la devolución del producto, el producto no coincide con el ofertado, han mandado un kit con cuadro utensilios de muy mala calidad.
RESPUESTA: negativo

EJEMPLO: Muy buena calidad. Lo recomiendo.
RESPUESTA: positivo

EJEMPLO: Hola, el producto me parece muy bueno pero solicité su devolución y nunca vienieron. la empresa con la que trabajan de envío no es buena.
RESPUESTA: neutro

EJEMPLO: Producto de buena calidad
RESPUESTA:


MODEL OUTPUT

 positive


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.


EJEMPLO: Tuve que devolver el producto porque llegó averiado, no se encendía. Afortunadamente el servicio de devolución de AMAZON funcionó perfectamente.
RESPUESTA: negativo

EJEMPLO: UNA DE LAS PESTAÑAS DE LA CAJA VINO ROTA. POR LO DEMÁS BIEN, ES IGUAL QUE EN LAS FOTOS.POR EL PRECIO NO SE PUEDE PEDIR MAS
RESPUESTA: neutro

EJEMPLO: Es muy pequeña y tardó bastante en llegar. Pienso que es una pieza más para aire que para agua. El paso es muy pequeño.
RESPUESTA: neutro

EJEMPLO: El producto y su propia caja en el que viene empaquetado los botes es bueno, pero la caja del envío del trasporte es horrible. La caja del transporte llego completamente rota. De tal manera que los botes me los entregaron por un lado y la caja por otro. El transporte era de SEUR, muy mal.
RESPUESTA: neutro

EJEMPLO: El sol la endureció y se rasgó toda en cuanto la movió un poco el viento, no recomendable.
RESPUESTA: negativo

EJEMPLO: Envío rápido pero la bolsa viene sin caja ( en otras tiendas online viene mejor empaquetado) y por consecuencia la bolsa tenía varios puntos con agujeros... La comida está en buen estado pero ya no te da la misma confianza. Fecha de caducidad correcta.
RESPUESTA: neutro

EJEMPLO: En 2 semanas está completamente roto. Comenzó con una raya y ahora está roto por todas partes. Además de pequeño. No lo recomiendo
RESPUESTA: negativo

EJEMPLO: Llegó en el plazo indicado
RESPUESTA: positivo

EJEMPLO: Todo perfecto,lo unica malo es que el transportista forzo el DVD para entrarlo en el buzon y no pico el timbre estando yo en casa.
RESPUESTA: positivo

EJEMPLO: Poner una estrella por poner algo, pero ya es la tercera y vez que llamo a amazon para reclamar por garantía el reloj, y con el tiempo no se si por el calor por lo uso cada día para eso está para usarlo, pero salen muy malos se agrieta la pantalla sin darle ningun golpe, salen malos, ya me canso de reclamarle hasta la ultima llamada me enfade,
RESPUESTA: negativo

EJEMPLO: Encaja perfectamente. Vergonzoso la manera en que lo entregan. La caja rota por varios sitios y abierta por los dos lados. Algo impropio de Amazon.
RESPUESTA:


MODEL OUTPUT

 es una tarea de clasificación de texto. EJEMPLO: Qué es el producto de acero? Qué es el producto de acero? Qu


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.


EJEMPLO: Muy buen producto. Viene con pilas para la luz. Muy estable y practico. La verdad es que lo recomiendo totalmente
RESPUESTA: positivo

EJEMPLO: Lo compré para un regalo y será utilizado con un iPhone X. No he tenido la oportunidad de probarlo con dicho teléfono, pero puedo hablar de la excelente calidad de los materiales, es pesado, se siente firme y tiene franjas con goma tanto en la parte superior para que el teléfono no se deslice y en su parte inferior para que no se deslice sobre la superficie donde se ubica. Sólo lo he conectado para probar las luces (azules) y si colocas un dispositivo para cargar, estás parpadean muy lentamente unas 5 veces y luego se apagan definitivamente, cosa que es de agradecer si lo vas a usar en tu mesa de noche. Por ahora lo recomiendo estéticamente, luego informaré de su funcionamiento.
RESPUESTA: positivo

EJEMPLO: Es bonito, yo lo quería para una sección de fotos de embarazada y quedo bien
RESPUESTA: neutro

EJEMPLO: Me hubiera gustado que se vea por la noche con otro tipo de iluminación. No tengo claro que sea muy preciso.
RESPUESTA: neutro

EJEMPLO: Vienen un montón de cosas, como el cortahilos que me encanta , para empezar a bordar está muy bien. Los hilos no parecen de mala calidad, y hay muchos colores
RESPUESTA: positivo

EJEMPLO: El producto está en mal estado y quiero q se me reembolse el dinero y yo comprar otro diferente porque este producto no está apto para la venta, golpeado y sin pintura, adjunto varías fotos para que lo comprueben ustedes mismo, y si quieren les mando el recibo de SEUR para que sepan que lo acabo de recibir no me a dado tiempo no a estrenarlo
RESPUESTA: negativo

EJEMPLO: El material no es de muy buena calidad. el pedido tardo mucho ,no estoy muy contento con esta compra,no lo recomiendo
RESPUESTA: negativo

EJEMPLO: El producto viene perfecto pero no como en la foto que aparece, y a mi me hubiese gustado elegir El color que me gustase
RESPUESTA: neutro

EJEMPLO: Mi hija está encantada , con 6 años tiene las uñas pequeñas todavía y le quedan muy justas las calcomanías pero ella está encantada
RESPUESTA: positivo

EJEMPLO: Me ha gustado mucho el producto. El diseño y calidad muy buenos. El pedido llegó muy rapido. Me ha encantado
RESPUESTA: positivo

EJEMPLO: Esta bien el producto sobre todo teniendo en cuenta la relacción calidad/precio. Yo lo uso para hacer arreglillos en casa cuando corto la luz o para zonas oscuras. Para esto esta genial, te libera las manos y puedes trabajar. Realmente vale para mucho mas, ya que tiene 2 intensidades de luz, intermitencias y luz roja atras. Como fallo diré que no me gusta que las pilar recargables no sean de un tamaño estandar. Es decir, son mucho mas grandes que las pilas normales y si algún dia se estropean desconozco si se podrán encontrar facilmente. Espero que duren muchos años. Como se ve en la foto, el producto biene muy completo.
RESPUESTA:


MODEL OUTPUT

 el producto sobre todo teniendo en cuenta la relacción calidad/price. Yo lo uso para hacer arreglillos en casa cuando corto la luz o para zonas


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.


EJEMPLO: Tuve que devolver dos porque no me los reconocía la impresora
RESPUESTA: negativo

EJEMPLO: En una primera instancia llego defectuoso, pero me lo cambiaron sin problema y funciona bien.
RESPUESTA: neutro

EJEMPLO: Tuve que devolver el producto porque llegó averiado, no se encendía. Afortunadamente el servicio de devolución de AMAZON funcionó perfectamente.
RESPUESTA: negativo

EJEMPLO: En poco tiempo el asa que sube y baja ya no funciona correctamente. Estoy decepcionada, ya que era para utilizar todas las semanas.
RESPUESTA: neutro

EJEMPLO: Al principio buen sonido y fácil de usar, pero en 4 meses se bloquea y no reacciona, cuando se acaba la batería funciona bien, pero se vuelve s bloquear. He procedido a su devolución
RESPUESTA: neutro

EJEMPLO: Cumplen satisfactoriamente con la función. Se pueden recortar y son gruesas. Buena relación calidad precio
RESPUESTA: positivo

EJEMPLO: No funciona lo he devuelto, no hace nada
RESPUESTA: negativo

EJEMPLO: No me ha gustado nada. Mucho calor dentro, resiste mal el viento, aunque no sea fuerte, los enganches se sueltan de las piquetas con facilidad. No la recomiendo.
RESPUESTA: negativo

EJEMPLO: Poco serio no me llegado nada... vivo una dirección única todos los datos bien puestos buzón único por más que me pongo en contacto no me contesta para darme una explicación
RESPUESTA: negativo

EJEMPLO: Hola buenas, me llego el reloj el dia 11 y no funciona bien, le tocas para ver la hora o ponerlo en marcha y va cuando quiere, le tienes que dar muchisimas veces. Lo que deseo saber es como hacer la devolución y que me enviarán otro en perfecto estado. Gracias Atentamente Paqui
RESPUESTA: negativo

EJEMPLO: No funcionaba, lo tuve que devolver, no se si era problema de la placa o del mecanismo, la devolución todo correctamente.
RESPUESTA:


MODEL OUTPUT

 el servicio de devolución de AMAZON funcionó perfectamente.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.


EJEMPLO: Funciona bien, pero a veces apretando se suelta.
RESPUESTA: neutro

EJEMPLO: Hice pan y la verdad es que va muy bien!
RESPUESTA: positivo

EJEMPLO: Está bien para el precio que tiene, no sirve para llevar cosas frías, el tamaño es un poco justo, caben dos tuppers pequeños y una lata
RESPUESTA: neutro

EJEMPLO: Esta bien, es fino, queda mas grande de lo que se indica en el tallaje. El gorro también es grande.
RESPUESTA: neutro

EJEMPLO: Todavía no me se me ha ingresado dinero e. El Banco
RESPUESTA: negativo

EJEMPLO: Más pequeño de lo esperado
RESPUESTA: neutro

EJEMPLO: El cristal se adhiere por adhesivo, no por estática. La primera vez que se me cayo, se movio. La segunda se desprendió y quedó inutilizable sin llegar a romperse. Defraudado.
RESPUESTA: negativo

EJEMPLO: Bien para lo que cuesta
RESPUESTA: neutro

EJEMPLO: A mí no me las ha dejado muy limpias...o no se usarlo bien o no es tan efectivo como dicen.
RESPUESTA: neutro

EJEMPLO: Estaria bien que fuese mas largo el hueco pars que no se quede tsn colgado el pints labios. Cumple su funcion si no tienes mucho dinero.
RESPUESTA: neutro

EJEMPLO: Se ve bien el grabado
RESPUESTA:


MODEL OUTPUT

 es bien el grabado


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.


EJEMPLO: Es muí bonito igual que en la. Foto gracias
RESPUESTA: positivo

EJEMPLO: Tened en cuenta las medidas porque es muy pequeña. Yo tuve que devolverla porque en un salón de 4m2 se veía ridícula. Pero la lámpara es bonita y de buena calidad.
RESPUESTA: negativo

EJEMPLO: Era un regalo y la verdad que esta dando la talla que deseaba!! Facil de utilización y muy creativo.
RESPUESTA: positivo

EJEMPLO: La dirección donde quieres enfocar la cámara, hay que moverla con la mano. Es tan endeble que con 6 meses que tiene la mía, ya se ha roto, y según como la enfoque, la imagen no se ve. Dinero tirado a la basura
RESPUESTA: negativo

EJEMPLO: La calidad no es muy buena. A la primera puesta le han salido un montón de bolas y me ha dejado el colchón lleno de pelusas como se puede ver en la foto adjunta. Además, los laterales no viene con costura. No lo recomiendo.
RESPUESTA: negativo

EJEMPLO: Demasiado altas, en la foto no lo parecen tanto. Buena calidad de la tela.
RESPUESTA: neutro

EJEMPLO: Él color no se ajusta al de e la foto. Por lo demás todo perfecto.
RESPUESTA: neutro

EJEMPLO: No es el piloto que sale en la foto, en vez de ser rectangular es cuadrado con todas las luces pero diferente aspecto
RESPUESTA: neutro

EJEMPLO: De lo que se ve en la foto a él plástico naranja del original...en fin, más que oro parece q ya amarilleo de tener tiempo
RESPUESTA: negativo

EJEMPLO: ES EXACTAMENTE IGUAL QUE EN LA FOTO, PERO LO MALO ES QUE EN LA BASE TIENE AGUJERITOS OSEA QUE SI LO DEJAS EN LA ENCIMARA EL AGUA SE COLARA, ABRIA QUE PONER ALGO DEBAJO
RESPUESTA: neutro

EJEMPLO: No recomiendo su compra... no se parece a la foto... muy mala resolución
RESPUESTA:


MODEL OUTPUT

 negative EJEMPLO: No recomiendo su compra... no parece a la foto... muy mala resolución


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.


EJEMPLO: Es lo peor que comprado para mi movil ha durado un mes y de repente deja de cargar no compreis baterias en este vendedor es lo peor
RESPUESTA: negativo

EJEMPLO: No funciona lo he devuelto, no hace nada
RESPUESTA: negativo

EJEMPLO: Cumplen satisfactoriamente con la función. Se pueden recortar y son gruesas. Buena relación calidad precio
RESPUESTA: positivo

EJEMPLO: No existe una App que la haga funcionar. Solo funciona con el mando y tienes que estar bajo la bombilla para que reaccione. Luminosidad bastante baja.
RESPUESTA: negativo

EJEMPLO: ha salido con defecto, en llamadas salientes no se oye al interlocutor, lo cambie por otro igual y he tenido el mismo problema
RESPUESTA: negativo

EJEMPLO: El sol la endureció y se rasgó toda en cuanto la movió un poco el viento, no recomendable.
RESPUESTA: negativo

EJEMPLO: Es un auténtico timo, plástico de malísima calidad, lleva un ventilador de muy baja potencia, es de Pc, he metido el recipiente al congelador y ni poniéndole hielo enfria, imagínate con agua. Los botones que lleva dan la sensación que se van a romper cuando los pulsas, la tapa que tienes que quitar para sacar el recipiente luego no encaja y te tiras media hora para volverla a poner en su sitio. El agua a veces se sale y la placa electrónica que lleva el aparato no está protegida, te doy 2 días para que se rompa, esto es un timo señores, no malgasten su dinero, ni 5€ vale, le doy una estrella porque me obligan.
RESPUESTA: negativo

EJEMPLO: Al principio buen sonido y fácil de usar, pero en 4 meses se bloquea y no reacciona, cuando se acaba la batería funciona bien, pero se vuelve s bloquear. He procedido a su devolución
RESPUESTA: neutro

EJEMPLO: Le había dado cinco estrellas y una opinión muy positiva, el aparato funcionó bien mientras funcionó, el problema es que funcionó poco tiempo. Hoy, apenas tres meses después de adquirirlo, he ido a encenderlo y en lugar de arrancar se ha quedado parado. Unos segundos más tarde ha soltado un chispazo y ahí se ha quedado. No se le ha dado ningún golpe, ni se ha usado para nada distinto a su finalidad, así que la única explicación lógica es que viniera defectuoso de fábrica. Amazon me va a reembolsar el importe en garantía en cuanto lo devuelva, así que por ese lado no tengo queja.
RESPUESTA: negativo

EJEMPLO: Una de las gomas se ha estropeado muy pronto y uno de los botones también. Según mi experiencia, no me ha durado ni 2 meses. No compensa, se rompe con facilidad.
RESPUESTA: negativo

EJEMPLO: En menos de un mes ya han dejado de funcionar. Primero se descarga la bateria aun sin uso, y ahora es que ni siquiera carga. He solicitado la garantia, y espero que al menos respondan pronto. Me los devuelven supuestamente arreglado el problema pero la realidad es que siguen exactamente igual, sin funcionar. Vuelta a empezar con la garantía
RESPUESTA:


MODEL OUTPUT

 el resembolo de funcionar. Primero se descarga la bateria aun sin uso, y ahora es que ni siquiera carga. Era el resembolo


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.


EJEMPLO: No pesa, no abulta, no se mueve. Me parece perfecto. Para una micro cuatro tercios, es perfecto. Si lo recomiendo.
RESPUESTA: positivo

EJEMPLO: El manual llegó con algunas manchas en las juntas de las páginas. Por lo demás todo perfecto.
RESPUESTA: neutro

EJEMPLO: La cámara me llegó en perfecto estado, con todos los complementos, pero la puse las pilas la encendí y parecía ir todo bien, la apagué, y ya no volvió a encender. La voy a devolver y ya pedí otra nueva. Espero q esta última funcione bien...
RESPUESTA: negativo

EJEMPLO: El botón no funciona, con lo cual si quieres pararlo, necesitas quitarle las pilas. No lo recomiendo.
RESPUESTA: negativo

EJEMPLO: tal y como lo imaginaba, ligero , con la altura que indicaba en el paquete, y super elegante !! GRACIAS
RESPUESTA: positivo

EJEMPLO: Te deja con la incertidumbre este tomo porque es justo donde queda el anime.
RESPUESTA: positivo

EJEMPLO: Perfectas. Encajan perfectamente en el coche. Buena calidad del material. Las imágenes se ajustan a la realidad. Un 10. Recomendable 100%. Os ahorráis un dinero. Y mucha mejor calidad que las originales.
RESPUESTA: positivo

EJEMPLO: Ya había probado varios aparatos de este tipo y este supera todos los que ya he tenido . Es muy cómodo que sea recargable y no de pilas como la mayoría. Pero además el mango giratorio es una comodidad.
RESPUESTA: positivo

EJEMPLO: Es un regalo para la profesora..todo perfecto!!
RESPUESTA: positivo

EJEMPLO: En las caracteristicas se indica que son tres piezas pero en el paquete solo vienen dos. No se si trata de un error o de mucho morro.
RESPUESTA: negativo

EJEMPLO: El papel sigue siendo papel. Actualizado. Perfecto. Y no necesita pilas
RESPUESTA:


MODEL OUTPUT

 el papel se encajan perfectamente en el coche. Buena calidad del material. Las imágenes se ajustan a la realidad. Un 10. Recomendable 100%. Os ahorrá


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.


EJEMPLO: Funciona perfectamente para unos repetidores que tengo.
RESPUESTA: positivo

EJEMPLO: Tenía un disco duro de 80 GB procedente de un portátil que tiré y me daba pena tirarlo. Compré esta carcasa, bien barata, y ahora tendo un USB de 80 GB. Como digo: Perfecto y barato.
RESPUESTA: positivo

EJEMPLO: Lo compre pensando en conectar para transmisión de datos y solo sirve para cargar la batería. Para esto último es práctico. Pero si lo quieres para otra cosa no vale.
RESPUESTA: neutro

EJEMPLO: El marco cubre más del marco del reloj. O sea invade la pantalla. Siempre quedan algunas burbujas, lo he instalado 3 veces. Por último, y lo peor de todo, horrible la sensación táctil. Casi no obedece. Estoy a punto de quitarlo y comprar otro. Y eso que compre dos de este modelo.
RESPUESTA: negativo

EJEMPLO: Después de unos meses de uso cumple su función. Materiales y acabados buenos, lo que no me gusta es que la ventana es muy oscura y cuesta ver la hora
RESPUESTA: neutro

EJEMPLO: Me equivoqué al comprar este soldador. No me sirvió para soldar una pequeñita pieza de hierro. El soldador de estaño sirve para soldar circuitos impresos con filamentos de cobre muy delgados.
RESPUESTA: negativo

EJEMPLO: En las caracteristicas se indica que son tres piezas pero en el paquete solo vienen dos. No se si trata de un error o de mucho morro.
RESPUESTA: negativo

EJEMPLO: Se llenan de agua y no nadan........
RESPUESTA: negativo

EJEMPLO: En 2 semanas está completamente roto. Comenzó con una raya y ahora está roto por todas partes. Además de pequeño. No lo recomiendo
RESPUESTA: negativo

EJEMPLO: Ideal original y divertida Bolsitas de regalo o para poner golosinas, bombones, etc La forma de las orejas con el nudo ya depende de la gracia que tenga cada uno. Se recomienda rellenar bien para que no queden granos en la cara del muñeco
RESPUESTA: positivo

EJEMPLO: Funciona perfectamente. Tengo un terreno para regar de unos 80m2, y llega a rodas partes, hasta detras de unos setos
RESPUESTA:


MODEL OUTPUT

 I have a terreno para regar de unos 80m2, y llega a rodas partes, until adolescentes


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.


EJEMPLO: Tened en cuenta las medidas porque es muy pequeña. Yo tuve que devolverla porque en un salón de 4m2 se veía ridícula. Pero la lámpara es bonita y de buena calidad.
RESPUESTA: negativo

EJEMPLO: Llego en el tiempo previsto
RESPUESTA: neutro

EJEMPLO: Hice pan y la verdad es que va muy bien!
RESPUESTA: positivo

EJEMPLO: Edición muy cuidada. Tiene buen sonido y me llegó muy rápido. En perfecto estado, sin ningún rasguño. A día de hoy no tengo ninguna pega. Además es muy original, destaca entre toda la colección de vinilos.
RESPUESTA: positivo

EJEMPLO: Tiene un perfume muy agradable y duradero a la vez que discreto. Una sola barrita al día perfuma mi salón para todo el día.
RESPUESTA: positivo

EJEMPLO: Es tal y como aparece en las fotos
RESPUESTA: positivo

EJEMPLO: Muy buen altas. Fue un regalo para una niña de 9 años y le gustó mucho
RESPUESTA: positivo

EJEMPLO: Te deja con la incertidumbre este tomo porque es justo donde queda el anime.
RESPUESTA: positivo

EJEMPLO: Me hubiera gustado que se vea por la noche con otro tipo de iluminación. No tengo claro que sea muy preciso.
RESPUESTA: neutro

EJEMPLO: El producto no llegó en el tiempo indicado, exactamente 24 días después, es lamentable que pasen estas cosas, ya no me sirve el producto para la fecha en la que ha llegado.
RESPUESTA: neutro

EJEMPLO: No me llegó todavía el mueble del salón.. No corresponde los días previstos de envio,y sin saber cuándo llegará .
RESPUESTA:


MODEL OUTPUT

 no corresponde los das previstos de envio,y sin saber cuándo llegará .


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.


EJEMPLO: Llego en el tiempo previsto
RESPUESTA: neutro

EJEMPLO: tal y como lo imaginaba, ligero , con la altura que indicaba en el paquete, y super elegante !! GRACIAS
RESPUESTA: positivo

EJEMPLO: Buenos guantes, calentitos, quizás un poco pequeños, pero yo tengo manos grandes. Al quedarme pequeños y estirarlos un poco, se ha roto el encaje.
RESPUESTA: neutro

EJEMPLO: Queda muy bien y te protege el reloj
RESPUESTA: positivo

EJEMPLO: Buen precio para la gran capacidad que tiene. No tiene ruido y es totalmente manejable.
RESPUESTA: positivo

EJEMPLO: Su estabilidad es muy buena, al igual que su uso. Pesa poco y ofrece mucha seguridad. Ideal para llegar a cualquier sitio normal.
RESPUESTA: positivo

EJEMPLO: Era para otra persona y me dice que van bien. Más tarde vimos que se pueden conseguir más baratos en tiendas.
RESPUESTA: neutro

EJEMPLO: Todo perfecto por lo que vale.
RESPUESTA: positivo

EJEMPLO: Lo siento pero solamente por lo mal que ha resultado el envío con MRW y el tiempo que me han hecho perder para poder tener el paquete no volvería a comprarlo.
RESPUESTA: negativo

EJEMPLO: EL PRODUCTO ES LO QUE QUERIA .PERO CON QUIEN ESTOY ENCANTADA ES CON LA TIENDA EN LA QUE LO COMPRE. ME ATENDIERON DOS CHICOS SUPER AGRADABLES Y QUE ME SOLUCIONARON TODAS MIS DUDAS Y ME FACILITARON TODAS LAS GESTIONES DE ENTREGA Y REPOSICION DE OTRO MOVIL PORQUE EL PRIMERO AL HACER ACTUALIZACION SE ESTROPEO.
RESPUESTA: positivo

EJEMPLO: Tiene poco potencia tienes que darle tres veces al máximo para que seque
RESPUESTA:


MODEL OUTPUT

 es posible que tener tres veces al máximo para que se el eso


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.


EJEMPLO: Trapecio sobre todo para interior por la calidad de las cuerdas. En exterior no sé si será muy resistente. En casa da mucho juego y es un entretenimiento estupendo para la gente menuda. Aguanta mucho peso
RESPUESTA: positivo

EJEMPLO: Eran los zapatos que queria a un precio competitivo, lastima que las entregaran tarde, a pesar de la entrega garantizada en tal fecha...
RESPUESTA: neutro

EJEMPLO: Esta bien, es fino, queda mas grande de lo que se indica en el tallaje. El gorro también es grande.
RESPUESTA: neutro

EJEMPLO: Calidad increíble, sabor muy intenso. Se nota que es un producto natural... Merece la pena pagar lo que vale. Muy satisfecho.
RESPUESTA: positivo

EJEMPLO: Es pequeño, silencioso y no pesa nada. Lo uso para calentar una habitación de tamaño medio y a los 10 minutos (a máxima potencia) tengo que apagarlo porque hace calor. Genial.
RESPUESTA: positivo

EJEMPLO: Muy cómoda la almohada
RESPUESTA: positivo

EJEMPLO: No es el articulo de calidad que parece ademas se equivocaron de talla y tuve que devolverlas
RESPUESTA: negativo

EJEMPLO: Tened en cuenta las medidas porque es muy pequeña. Yo tuve que devolverla porque en un salón de 4m2 se veía ridícula. Pero la lámpara es bonita y de buena calidad.
RESPUESTA: negativo

EJEMPLO: Cumplen satisfactoriamente con la función. Se pueden recortar y son gruesas. Buena relación calidad precio
RESPUESTA: positivo

EJEMPLO: Fácil de conectar, pequeño y manejable. El sonido regular y se oye bastante flojito. No lo volvería a comprar.
RESPUESTA: neutro

EJEMPLO: La zapatilla es muy bonita, su apariencia es buena. La parte interior es bastante floja no se le ve calidad. No la encuentro cómoda, quizás sea mi culpa ya que pedí el número que habitualmente calzo en deportivas y me queda amplio. Lo intenté solucionar con una buena plantilla, pero aun así, me resulta incómodo. Si volviese a comprarlo pediría una talla menos.
RESPUESTA:


MODEL OUTPUT

 ni la encuentro cómoda, quizás esta mi culpa ya que ped el nmero que habitualmente calzo en deportivas y me queda


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.


EJEMPLO: Muy buena calidad. Lo recomiendo.
RESPUESTA: positivo

EJEMPLO: La tapa del inodoro es bonita, pero los anclajes son una basura la tapa se gira si o si y cuando pretendes apretarla se rompe el anclaje
RESPUESTA: negativo

EJEMPLO: Era un regalo para unos amigos. Al parecer se ajusta perfectamente a lo que necesitaban
RESPUESTA: neutro

EJEMPLO: Me ha llegado bien pero al abrirlo observo que falta el adaptador tipo C que indica el anuncio. Confío que me lo envien
RESPUESTA: neutro

EJEMPLO: bien te lo traen a casa y listo a funcionar
RESPUESTA: neutro

EJEMPLO: Me lo e puesto cuatro veces y esta descosido y me toca tirarlo una estafa
RESPUESTA: negativo

EJEMPLO: cumple con lo estipulado
RESPUESTA: neutro

EJEMPLO: Me parece una Porqueria pero la niña lo pidió a los reyes y ella está feliz
RESPUESTA: neutro

EJEMPLO: Es justo lo que buscaba ni más ni menos y además es como la que tenía de hace ya años.
RESPUESTA: positivo

EJEMPLO: No ha durado ni un año y medio practicamente sin uso...
RESPUESTA: negativo

EJEMPLO: Todo correcto y acordé a lo anunciado
RESPUESTA:


MODEL OUTPUT

 Todo correcto y acordo a lo anuncio


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.


EJEMPLO: En 2 semanas está completamente roto. Comenzó con una raya y ahora está roto por todas partes. Además de pequeño. No lo recomiendo
RESPUESTA: negativo

EJEMPLO: Venia roto es de muy mala calidad
RESPUESTA: negativo

EJEMPLO: El protector de pantalla llegó un poco roto.
RESPUESTA: neutro

EJEMPLO: Rápido envío superfacil instalación pero a la primera caída se ha roto y despegado.
RESPUESTA: neutro

EJEMPLO: A mí no me las ha dejado muy limpias...o no se usarlo bien o no es tan efectivo como dicen.
RESPUESTA: neutro

EJEMPLO: UNA DE LAS PESTAÑAS DE LA CAJA VINO ROTA. POR LO DEMÁS BIEN, ES IGUAL QUE EN LAS FOTOS.POR EL PRECIO NO SE PUEDE PEDIR MAS
RESPUESTA: neutro

EJEMPLO: El articulo parece que venia usado...mal embalado y medio abierta la caja interior....
RESPUESTA: neutro

EJEMPLO: No ha llegado a aún....
RESPUESTA: negativo

EJEMPLO: Llego el producto en muy mal estado,como si ya se hubiera usado.
RESPUESTA: negativo

EJEMPLO: Mi hija esta en un campamento y nos pidieron que llevara unos rotuladores acrilicos para hacer distintas manualidades, pintar en tazas, piedras...etc. Esta super contenta con los rotuladores porque los colores son muy bonitos y pintan bien. Todo un acierto
RESPUESTA: positivo

EJEMPLO: A venido rota. Venia bien envuelta pero al abrirla estaba rota. Y plastico malo.
RESPUESTA:


MODEL OUTPUT

 es de muy mala calidad


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.


EJEMPLO: Me encanto. Ya los he comprado varias veces.
RESPUESTA: positivo

EJEMPLO: El unico problema que tiene es que los hielos son un poco pequeños y que la tapa no queda bien sujeta.
RESPUESTA: positivo

EJEMPLO: A los 3-4 dias dd haber llegado el telefono, la camara trasera dejo de funcionar. Me puse en contacto con ellos para tramitar un cambio, pero me pedian que devolviera este primero y luego ellos me mandaban otro, por lo que me quedaba sin movil, creo que lo mas conveniente es igual que viene el mensajero a traerme uno nuevo, a ma vez que se lleve el estropeado... no me podia quedar sin movil ya que solo tengo este y lo necesito. A dia de hoy todavía ando con el movil sin camara trasera... un desastre. NO LO RECOMIENDO PARA NADA!
RESPUESTA: negativo

EJEMPLO: Es muy pequeña y tardó bastante en llegar. Pienso que es una pieza más para aire que para agua. El paso es muy pequeño.
RESPUESTA: neutro

EJEMPLO: Me ha gustado porque tiene una buena estructura y gran capacidad para guardar ropa, calzado...
RESPUESTA: positivo

EJEMPLO: No me gusta nada de nada....pero es lo que quiere mi hija. Lo espera con ilusión....así que....bueno. Me parece un juguete muy caro para lo que es.
RESPUESTA: negativo

EJEMPLO: Me esperaba más unidades como aparecía en la foto, aunque después he comprobado que en la descripción pone "una hoja", con lo que, con más razón, me parece un poco caro para lo que es. Además me ha llegado rota, así que un fiasco, no lo voy a poder usar y además he tirado el dinero inútilmente. Una decepción.
RESPUESTA: negativo

EJEMPLO: Con un bebé de dos meses la verdad es que me ayuda mucho cuando le dejo en la hamaca con el sonido de las olas y las bolitas que cuelgan , parece que no pero realmente se entretiene hasta que llega a dormirse
RESPUESTA: positivo

EJEMPLO: Todavía no he tenido tiempo de probarlo, a tener en cuenta que no lleva pilas, hay que comprarlas , son de las pequeñas no de las de boton sino de las otras.
RESPUESTA: neutro

EJEMPLO: El reloj está bien, se ve muy bien la hora, tiene buen diseño, los plásticos no parecen muy malos, para el precio que tiene estaría muy bien excepto sino fuera por un detalle. La hebilla sobresale mucho, se me clava en la muñeca y eso que lo he llevado bastante suelto.
RESPUESTA: neutro

EJEMPLO: Me las compre para atarla con un hilo a las gafas de proteccion, Porque cuando necesitas los tapones nunca los encuentras, Pero no lo he echo porque me gustan mas las de esponja son mas comodas y aislan mejor.
RESPUESTA:


MODEL OUTPUT

 el esforzamos a acerca de protección, porque cuando necesitas los tapones nunca los encuentras, pero no lo he echo porque el esforzamos mas com


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.


EJEMPLO: Es una plancha, por el centro cocina y por los lados no.No la compréis la
RESPUESTA: negativo

EJEMPLO: Estaba buscando unos cuchillos de carne que me durasen para muchísimo tiempo sin importarme gastar un poco más. A veces es mejor no comprar barato. Estos cuchillos van a sustituir a unos antiguos que tenía que aunque hacían bien su función se me fueron estropeando porque el mango era de plástico y de tanto lavado se fue estropeando esta parte. A primera vista ya se aprecia que son de muy buena calidad por los materiales con los que están fabricados. A destacar también el envoltorio ya que son perfectos para regalar. Muy buena compra.
RESPUESTA: positivo

EJEMPLO: Muy practico.Pero cuando hay sol no ves absolutamente nada.Las pulsaciones tampoco las marca bien.Pero por el precio no se puede pedir mas
RESPUESTA: neutro

EJEMPLO: En las caracteristicas se indica que son tres piezas pero en el paquete solo vienen dos. No se si trata de un error o de mucho morro.
RESPUESTA: negativo

EJEMPLO: Ha llegado la caratula un poco rajada. Por lo demás todo bien.
RESPUESTA: neutro

EJEMPLO: los llaveros son de plástico finito,pero por el precio no se puede pedir más .Las pulseras tallan un poco grande para niños
RESPUESTA: neutro

EJEMPLO: Lo compre pensando en conectar para transmisión de datos y solo sirve para cargar la batería. Para esto último es práctico. Pero si lo quieres para otra cosa no vale.
RESPUESTA: neutro

EJEMPLO: Estoy muy contenta. Lo conecto cuando salgo del trabajo y al llegar a casa ya está caliente. También lo puedes programar, hora de encendido, apagado, grados. Te dice también en el móvil a cuantos grados está tu casa. Yo lo recomiendo 100%
RESPUESTA: positivo

EJEMPLO: El reloj está bien, se ve muy bien la hora, tiene buen diseño, los plásticos no parecen muy malos, para el precio que tiene estaría muy bien excepto sino fuera por un detalle. La hebilla sobresale mucho, se me clava en la muñeca y eso que lo he llevado bastante suelto.
RESPUESTA: neutro

EJEMPLO: No le doy las 5 estrellas por q el cristal no llega a cubrir del todo ( a lo ancho) el smartphone. Lo puse varias veces y a lo ancho se queda un poco corto. Por lo demás super bien embalado.. en si cajita antigolpes... Manual de instrucciones, toallitas.. no falta detalle la verdad.. la única pega.. la q comenté anteriormente...
RESPUESTA: neutro

EJEMPLO: Se rompió la pieza de plástico central donde se enrollan las cuerdas a los tres años. Por lo demás bien
RESPUESTA:


MODEL OUTPUT

 el precio es rompió la pieza de plástico central donde se enrollan las cuerdas a los tres aos.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.


EJEMPLO: Después de unos meses de uso cumple su función. Materiales y acabados buenos, lo que no me gusta es que la ventana es muy oscura y cuesta ver la hora
RESPUESTA: neutro

EJEMPLO: Encaja a la perfección
RESPUESTA: positivo

EJEMPLO: Gran Altavoz. Buen sonido, buenos graves, buen volumen...
RESPUESTA: positivo

EJEMPLO: No es que brillen un monton pero estan bien
RESPUESTA: neutro

EJEMPLO: Fatal!!! No funciona en inducción aunque pone que si, es un engaño!!!!!
RESPUESTA: negativo

EJEMPLO: no ha durado ni un mes, cuando le pones la pila, en la pantalla pone cargando, y no hace nada mas.
RESPUESTA: negativo

EJEMPLO: Buenos guantes, calentitos, quizás un poco pequeños, pero yo tengo manos grandes. Al quedarme pequeños y estirarlos un poco, se ha roto el encaje.
RESPUESTA: neutro

EJEMPLO: Las tintas son una basura.Solo imprime en blanco y negro y no en color.Dinero tirado.
RESPUESTA: negativo

EJEMPLO: No eran las medidas que marcaban
RESPUESTA: negativo

EJEMPLO: MUY BUENAS DURAN MÁS QUE LAS DURACELL
RESPUESTA: positivo

EJEMPLO: Yo le puse unas ventosas más grandes porque lleva no aguantan con juguetes
RESPUESTA:


MODEL OUTPUT

 y yo saben unas ventosas más grande porque lleva ni agua con juguetes


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.


EJEMPLO: EL PRODUCTO ES LO QUE QUERIA .PERO CON QUIEN ESTOY ENCANTADA ES CON LA TIENDA EN LA QUE LO COMPRE. ME ATENDIERON DOS CHICOS SUPER AGRADABLES Y QUE ME SOLUCIONARON TODAS MIS DUDAS Y ME FACILITARON TODAS LAS GESTIONES DE ENTREGA Y REPOSICION DE OTRO MOVIL PORQUE EL PRIMERO AL HACER ACTUALIZACION SE ESTROPEO.
RESPUESTA: positivo

EJEMPLO: Calidad increíble, sabor muy intenso. Se nota que es un producto natural... Merece la pena pagar lo que vale. Muy satisfecho.
RESPUESTA: positivo

EJEMPLO: es muy pequeña y tiene poco aluminio y se a abierto un poco aluminio es muy cómoda y cabe bien la comida
RESPUESTA: neutro

EJEMPLO: A pesar de estar tomándome este producto durante dos meses y medio religiosamente cada día ,no sirve absolutamente de nada, porque sigo blanca como la pared. Admiro a las personas que lo han tomado y les ha funcionado pero desde luego a mí, no ha sido el caso. Decían que empezaba a funcionar desde el segundo mes pero pienso que aunque lo tomase 12 meses seguiría igual.
RESPUESTA: negativo

EJEMPLO: Es un producto económico de plástico que cumple con su función y punto.
RESPUESTA: neutro

EJEMPLO: Me he quedado un tanto decepcionado con el producto. Baja estabilidad, materiales poco resistentes, sensación de poco recorrido hacen que lo pagado sea lo justo por lo recibido. Vistas las críticas de anteriores compradores me esperaba más. Aún me estoy pensando si estrenarlo o si directamente proceder a su devolución.
RESPUESTA: neutro

EJEMPLO: Después de mas de mes y medio esperando el producto, el día antes de que se cumpliera el plazo de entrega me llegó un mensaje de la empresa de que anulaba mi pedido
RESPUESTA: negativo

EJEMPLO: Estuche para flauta muy cómodo. Muy buenos acabados. Esta marca ofrece productos de muy buena calidad.
RESPUESTA: positivo

EJEMPLO: El producto en si, esta bien, encaja perfecto, pero la mochila llegó con dos manchas de tinta supongo, y una de las cremalleras rota, aunque con la otra cierra bien.
RESPUESTA: neutro

EJEMPLO: El producto está en mal estado y quiero q se me reembolse el dinero y yo comprar otro diferente porque este producto no está apto para la venta, golpeado y sin pintura, adjunto varías fotos para que lo comprueben ustedes mismo, y si quieren les mando el recibo de SEUR para que sepan que lo acabo de recibir no me a dado tiempo no a estrenarlo
RESPUESTA: negativo

EJEMPLO: Es una porqueria de producto! En dos semanas ya estava oxidada y eso que hice el curado de la sarten pero la calidad de este producto es pesima. No recomiendo a nadie
RESPUESTA:


MODEL OUTPUT

 es una porqueria de producto! En dos semanas ya estava oxidada y eso que hice el curado de las sarten pero la calidad de este producto es


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.


EJEMPLO: Es lo peor que comprado para mi movil ha durado un mes y de repente deja de cargar no compreis baterias en este vendedor es lo peor
RESPUESTA: negativo

EJEMPLO: Cumple su propósito aunque son bastante endebles, hay que poner prendas ligeras si no se abren por el peso.
RESPUESTA: neutro

EJEMPLO: Llegó en el plazo indicado
RESPUESTA: positivo

EJEMPLO: Todo perfecto, gran calidad a un gran precio y dificil de encontrar por llevar el destornillador en lugar del sacacorchos.
RESPUESTA: positivo

EJEMPLO: Es un auténtico timo, plástico de malísima calidad, lleva un ventilador de muy baja potencia, es de Pc, he metido el recipiente al congelador y ni poniéndole hielo enfria, imagínate con agua. Los botones que lleva dan la sensación que se van a romper cuando los pulsas, la tapa que tienes que quitar para sacar el recipiente luego no encaja y te tiras media hora para volverla a poner en su sitio. El agua a veces se sale y la placa electrónica que lleva el aparato no está protegida, te doy 2 días para que se rompa, esto es un timo señores, no malgasten su dinero, ni 5€ vale, le doy una estrella porque me obligan.
RESPUESTA: negativo

EJEMPLO: Muy bonitos pero bastante pequeños. Precio elevado. Más de ocho euros
RESPUESTA: neutro

EJEMPLO: De momento me está encantando. Con un poquito cunde mucho. Ilumina y nutre el rostro.
RESPUESTA: positivo

EJEMPLO: Estoy muy contenta. Lo conecto cuando salgo del trabajo y al llegar a casa ya está caliente. También lo puedes programar, hora de encendido, apagado, grados. Te dice también en el móvil a cuantos grados está tu casa. Yo lo recomiendo 100%
RESPUESTA: positivo

EJEMPLO: Al principio buen sonido y fácil de usar, pero en 4 meses se bloquea y no reacciona, cuando se acaba la batería funciona bien, pero se vuelve s bloquear. He procedido a su devolución
RESPUESTA: neutro

EJEMPLO: Llego pronto pero se quiebra fácilmente se me rompió al instalarlo
RESPUESTA: negativo

EJEMPLO: Batería externa excelente, pero sus 200 g de peso parece que lleves otro móvil
RESPUESTA:


MODEL OUTPUT

 el mercado externo excelente, pero sus 200 g de peso parece que lleves otro mercado


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.


EJEMPLO: Está bien para el precio que tiene, no sirve para llevar cosas frías, el tamaño es un poco justo, caben dos tuppers pequeños y una lata
RESPUESTA: neutro

EJEMPLO: EL PRODUCTO ES LO QUE QUERIA .PERO CON QUIEN ESTOY ENCANTADA ES CON LA TIENDA EN LA QUE LO COMPRE. ME ATENDIERON DOS CHICOS SUPER AGRADABLES Y QUE ME SOLUCIONARON TODAS MIS DUDAS Y ME FACILITARON TODAS LAS GESTIONES DE ENTREGA Y REPOSICION DE OTRO MOVIL PORQUE EL PRIMERO AL HACER ACTUALIZACION SE ESTROPEO.
RESPUESTA: positivo

EJEMPLO: Buena relación calidad precio. Tiene bastante potencia y pesa muy poco.
RESPUESTA: positivo

EJEMPLO: Cumplieron fecha de entrega. Precio correcto con el producto.
RESPUESTA: positivo

EJEMPLO: La funda para el sofá es muy fina. El material no transmite sensación de que vaya a durar en el tiempo, pero por el precio que tiene no podría pedirse algo mejor, o si?. Compré una funda de marca para la barbacoa y comprado con esta es de risa. En principio hace de repelente de agua, pero no lo he probado con lluvia torrencial, lo he probado tirándole un poco de agua en una zona con un vaso. Habría que volver a valorar esta funda con el paso del tiempo para ver si merece la pena o no su compra.
RESPUESTA: neutro

EJEMPLO: SIEMPRE LO COMPRO, PERO LO MALO ES EL PRECIO, MUY CARO Y CADA VEZ LO SUBEN MAS DE PRECIO CUANDO SON UNAS PEGATINAS. NO OBSTANTE, HACEN SU USO, PERO SOLO POR UNOS DIAS ESCASOS... AUN ASI ES UNA NOVEDAD
RESPUESTA: neutro

EJEMPLO: Es genial este producto, desde que lo tengo no he vuelto a fregar los platos con las manos al descubierto. Tiene muchas ventajas, la primera a destacar es la higiene, si no quieres mancharte o mojarte las manos, este es el producto ideal. La segunda a destacar, es que puedes utilizarlo para fregar con agua fría si no quieres gastar agua caliente. Eso si, antes de utilizarlos, hay que lavarlos.
RESPUESTA: positivo

EJEMPLO: Buen precio para la gran capacidad que tiene. No tiene ruido y es totalmente manejable.
RESPUESTA: positivo

EJEMPLO: La máquina No funciona correctamente no corta el pelo se atasca desde el principio, es decir, no es un producto que yo recomiende. Baja calidad no recomendable.
RESPUESTA: negativo

EJEMPLO: Calidad precio perfecto, llego a tiempo y en buen estado,la e puesto hace dos dias y de momento funciona correcta mente estoy muy contento lo recomiendo
RESPUESTA: positivo

EJEMPLO: Aunque la mayoría de opiniones positivas que tiene este producto son falsas (solo hay que leerlas todas y mirar nombres y fecha de publicación y la manera que se comentan).... decir que son unos auriculares muy correctos para el precio que tienen. Se echa de menos que los graves sean un poco más "potentes", pero por este precio no se puede pedir más. Ahora solo hace falta que funcionen bastante tiempo.
RESPUESTA:


MODEL OUTPUT

 agravante EJEMPLO: No hay que leerlas todas y mirar nombres y fecha de publicación y la manera que se commentan)... decir que son unos auriculares mu


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.


EJEMPLO: Muy comodo para cargar varios dispositivos a la vez sin necesidad de tener que utilizar ladrón de enchufe.
RESPUESTA: positivo

EJEMPLO: Muy buena funda, todo perfecto!
RESPUESTA: positivo

EJEMPLO: No se encendía de ninguna manera después de 3 horas enchufado. Lo enchufamos al día siguiente y funcionó pero perdió actualización y costó muchísimo resetearlo para volverlo a configurar. Ahora ya funciona, la única pega es que cuando se desenchufa o pierde la corriente, no se restablece correctamente y no se conecta a Internet.
RESPUESTA: neutro

EJEMPLO: No entiendo como funciona.donde se puede encontrar instrucciones fe funcionamiento en castellano?
RESPUESTA: negativo

EJEMPLO: Lo esperaba más compacto ( fallo mio ) dado que hoy en dia hay cargadores unificados para distintos aparatos. Calidad buena Servicio ràpido
RESPUESTA: neutro

EJEMPLO: Muy practico.Pero cuando hay sol no ves absolutamente nada.Las pulsaciones tampoco las marca bien.Pero por el precio no se puede pedir mas
RESPUESTA: neutro

EJEMPLO: Es un buen cinturón, estoy contento con el, se le ve de buen material y funciona de manera perfecta, contento.
RESPUESTA: positivo

EJEMPLO: Con un bebé de dos meses la verdad es que me ayuda mucho cuando le dejo en la hamaca con el sonido de las olas y las bolitas que cuelgan , parece que no pero realmente se entretiene hasta que llega a dormirse
RESPUESTA: positivo

EJEMPLO: Ya en la primera carga no duró ni dos horas
RESPUESTA: negativo

EJEMPLO: No lo recomiendo!!! envío fue rápido .. pero muñeca tiene un ojito mal pintada ..estoy muy decepcionada con la compra deberían revisar los envíos antes de empaquetarlos
RESPUESTA: negativo

EJEMPLO: Buen cargador. Su forma va perfecta para poner en enchufes dobles al ser estrecho no tapa el enchufe de al lado. Era lo que busca
RESPUESTA:


MODEL OUTPUT

 el encufe de lado es perfecto para poner en encufes dobles al ser estrecho no tapa el encufe de lado. Era lo que busca


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.


EJEMPLO: Está muy bien, corren y saltan detrás de ellos.
RESPUESTA: positivo

EJEMPLO: Con un bebé de dos meses la verdad es que me ayuda mucho cuando le dejo en la hamaca con el sonido de las olas y las bolitas que cuelgan , parece que no pero realmente se entretiene hasta que llega a dormirse
RESPUESTA: positivo

EJEMPLO: Llego en el tiempo previsto
RESPUESTA: neutro

EJEMPLO: Comodo y facil de colocar.Muy estable.
RESPUESTA: positivo

EJEMPLO: Estaria bien que fuese mas largo el hueco pars que no se quede tsn colgado el pints labios. Cumple su funcion si no tienes mucho dinero.
RESPUESTA: neutro

EJEMPLO: El armario está bastante bien. Pero el tema de mensajeria deja mucho que desear, aunque llego relativamente rapido (algo menos de 2 semanas), vino con varios golpes los cuales dificultan el montaje e interrumpen el cierre y apertura de puertas
RESPUESTA: neutro

EJEMPLO: Es muy pequeña y tardó bastante en llegar. Pienso que es una pieza más para aire que para agua. El paso es muy pequeño.
RESPUESTA: neutro

EJEMPLO: Esta bien, es fino, queda mas grande de lo que se indica en el tallaje. El gorro también es grande.
RESPUESTA: neutro

EJEMPLO: Llego el producto en muy mal estado,como si ya se hubiera usado.
RESPUESTA: negativo

EJEMPLO: Llego una semana despues de lo.acordado y encima me lo quieren cobrar mada huevos,
RESPUESTA: negativo

EJEMPLO: El colchon esta bien, el envío tardo más de dos Semanas en llegar
RESPUESTA:


MODEL OUTPUT

 El colchon esta bien, el envo más de dos Semanas en llegar


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.


EJEMPLO: Me ha gustado mucho el producto. El diseño y calidad muy buenos. El pedido llegó muy rapido. Me ha encantado
RESPUESTA: positivo

EJEMPLO: Para empezar, si el tiempo de envío es largo, el producto se retrasa por problema de aduanas. Solicitó la devolución, ya que es para un regalo y ante la tardanza han adquirido una prenda similar en otro sitio. Amazon me pone en contacto con el vendedor, el cual no facilita la devolución. Mientras tanto recibo el paquete y cuál es mi sorpresa que el artículo q me envían es un bolso negro, una especie de portafolios pero que nada tiene que ver con el sujetador de lactancia que encargue. Sigo en contacto con el vendedor, que aún sigue sin darme ninguna solución.
RESPUESTA: negativo

EJEMPLO: A pesar de estar tomándome este producto durante dos meses y medio religiosamente cada día ,no sirve absolutamente de nada, porque sigo blanca como la pared. Admiro a las personas que lo han tomado y les ha funcionado pero desde luego a mí, no ha sido el caso. Decían que empezaba a funcionar desde el segundo mes pero pienso que aunque lo tomase 12 meses seguiría igual.
RESPUESTA: negativo

EJEMPLO: El producto en si, esta bien, encaja perfecto, pero la mochila llegó con dos manchas de tinta supongo, y una de las cremalleras rota, aunque con la otra cierra bien.
RESPUESTA: neutro

EJEMPLO: He solicitado la devolución del producto, el producto no coincide con el ofertado, han mandado un kit con cuadro utensilios de muy mala calidad.
RESPUESTA: negativo

EJEMPLO: Tuve que devolver el producto porque llegó averiado, no se encendía. Afortunadamente el servicio de devolución de AMAZON funcionó perfectamente.
RESPUESTA: negativo

EJEMPLO: El producto está en mal estado y quiero q se me reembolse el dinero y yo comprar otro diferente porque este producto no está apto para la venta, golpeado y sin pintura, adjunto varías fotos para que lo comprueben ustedes mismo, y si quieren les mando el recibo de SEUR para que sepan que lo acabo de recibir no me a dado tiempo no a estrenarlo
RESPUESTA: negativo

EJEMPLO: Es un auténtico timo, plástico de malísima calidad, lleva un ventilador de muy baja potencia, es de Pc, he metido el recipiente al congelador y ni poniéndole hielo enfria, imagínate con agua. Los botones que lleva dan la sensación que se van a romper cuando los pulsas, la tapa que tienes que quitar para sacar el recipiente luego no encaja y te tiras media hora para volverla a poner en su sitio. El agua a veces se sale y la placa electrónica que lleva el aparato no está protegida, te doy 2 días para que se rompa, esto es un timo señores, no malgasten su dinero, ni 5€ vale, le doy una estrella porque me obligan.
RESPUESTA: negativo

EJEMPLO: Me he quedado un tanto decepcionado con el producto. Baja estabilidad, materiales poco resistentes, sensación de poco recorrido hacen que lo pagado sea lo justo por lo recibido. Vistas las críticas de anteriores compradores me esperaba más. Aún me estoy pensando si estrenarlo o si directamente proceder a su devolución.
RESPUESTA: neutro

EJEMPLO: Después de mas de mes y medio esperando el producto, el día antes de que se cumpliera el plazo de entrega me llegó un mensaje de la empresa de que anulaba mi pedido
RESPUESTA: negativo

EJEMPLO: Malísima calidad. Me Llegó el producto dañado con todos los tornillos oxidados y faltando piezas y además la atención con el vendedor nada buena me he tenido que poner en contacto con amazon para que medie pq no vienen por el producto y cuando te dicen vienen no aparecen y no me devuelven mi dinero.
RESPUESTA:


MODEL OUTPUT

 el producto daado con todos los tornillos oxidados y faltando piezas y además la atención con el vendedor nada buena me tenido que


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.


EJEMPLO: El producto viene perfecto pero no como en la foto que aparece, y a mi me hubiese gustado elegir El color que me gustase
RESPUESTA: neutro

EJEMPLO: EL PRODUCTO ES LO QUE QUERIA .PERO CON QUIEN ESTOY ENCANTADA ES CON LA TIENDA EN LA QUE LO COMPRE. ME ATENDIERON DOS CHICOS SUPER AGRADABLES Y QUE ME SOLUCIONARON TODAS MIS DUDAS Y ME FACILITARON TODAS LAS GESTIONES DE ENTREGA Y REPOSICION DE OTRO MOVIL PORQUE EL PRIMERO AL HACER ACTUALIZACION SE ESTROPEO.
RESPUESTA: positivo

EJEMPLO: Esta buen, queda bien en el ordenador lo deja muy protegido pero la calidad del plástico se ve que no es muy buena y que en sí no parece madera de verdad ni anda cerca de parecerlo. También tengo que decir que la carcasa que me vino es diferente a la de la foto esta es más clarita.
RESPUESTA: neutro

EJEMPLO: UNA DE LAS PESTAÑAS DE LA CAJA VINO ROTA. POR LO DEMÁS BIEN, ES IGUAL QUE EN LAS FOTOS.POR EL PRECIO NO SE PUEDE PEDIR MAS
RESPUESTA: neutro

EJEMPLO: el articulo que me enviaron no era el mismo que yo pedi, y me cobraron por el precio del de la foto, y cuando me lo enviaron era mas pequeña y no era el mismo de la foto. La verdad que he pedido ya muchos productos pero en este en concreto me decepcione muchisimo,
RESPUESTA: negativo

EJEMPLO: Demasiado altas, en la foto no lo parecen tanto. Buena calidad de la tela.
RESPUESTA: neutro

EJEMPLO: Es tal y como aparece en las fotos
RESPUESTA: positivo

EJEMPLO: El producto está en mal estado y quiero q se me reembolse el dinero y yo comprar otro diferente porque este producto no está apto para la venta, golpeado y sin pintura, adjunto varías fotos para que lo comprueben ustedes mismo, y si quieren les mando el recibo de SEUR para que sepan que lo acabo de recibir no me a dado tiempo no a estrenarlo
RESPUESTA: negativo

EJEMPLO: De lo que se ve en la foto a él plástico naranja del original...en fin, más que oro parece q ya amarilleo de tener tiempo
RESPUESTA: negativo

EJEMPLO: ES EXACTAMENTE IGUAL QUE EN LA FOTO, PERO LO MALO ES QUE EN LA BASE TIENE AGUJERITOS OSEA QUE SI LO DEJAS EN LA ENCIMARA EL AGUA SE COLARA, ABRIA QUE PONER ALGO DEBAJO
RESPUESTA: neutro

EJEMPLO: El producto me ha llegado sin tapa tal como se ve en la foto, por suerte no está abierto. La valoración es por él estado del envío, no por el producto en sí.
RESPUESTA:


MODEL OUTPUT

 negative EJEMPLO: El producto es perfecto pero no como en la foto que aparece, y a mi me hubiese gustado elegir El color que me gustase RESPUESTA: neutro EJEMP


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.


EJEMPLO: Muy buena calidad. Lo recomiendo.
RESPUESTA: positivo

EJEMPLO: Totalmente sorprendida por la calidad de sonido, me lo esperaba mucho más inferior pero ha superado mis espectativas... por ponerle una pega echo de menos una salida usb.
RESPUESTA: positivo

EJEMPLO: Funciona bien pero se nota que la calidad no es la de la original.
RESPUESTA: neutro

EJEMPLO: No me ha llegado el producto. Fecha prevista 9 marzo. Figura como enviado. No sé que ha podido pasar. Gracias
RESPUESTA: negativo

EJEMPLO: En poco tiempo el asa que sube y baja ya no funciona correctamente. Estoy decepcionada, ya que era para utilizar todas las semanas.
RESPUESTA: neutro

EJEMPLO: Sirve, pero no tiene mucha calidad
RESPUESTA: neutro

EJEMPLO: Me ha gustado porque tiene una buena estructura y gran capacidad para guardar ropa, calzado...
RESPUESTA: positivo

EJEMPLO: La máquina No funciona correctamente no corta el pelo se atasca desde el principio, es decir, no es un producto que yo recomiende. Baja calidad no recomendable.
RESPUESTA: negativo

EJEMPLO: No me ha gustado nada porque parece un libro de un niño pequeño, portada bonita pero cuando lo abres... no lo volvería a comprar nunca.
RESPUESTA: negativo

EJEMPLO: Mala calidad, solo funciona la mitad, nada recomendable
RESPUESTA: neutro

EJEMPLO: No lo recomiendo. Es de baja calidad. La salida RCA analógica nunca ha funcionado. Si me llego a dar cuenta a tiempo lo hubiera devuelto :-(
RESPUESTA:


MODEL OUTPUT

 RCA analógica nunca ha funcionado. Si me llego dar cuenta a la tempo lo hubiera devuelto:-(


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.


EJEMPLO: Van muy bien y son cómodos. La durabilidad es un poco corta en cuanto al material antideslizante. En un par de meses con un uso de 3 veces por semana, se van perdiendo los antideslizantes.
RESPUESTA: neutro

EJEMPLO: Para qué decir más...
RESPUESTA: negativo

EJEMPLO: Cumple su propósito aunque son bastante endebles, hay que poner prendas ligeras si no se abren por el peso.
RESPUESTA: neutro

EJEMPLO: Me leí el libro de la chica del semáforo y el hombre del coche y me encantó, desde mi punto de vista este libro sobraba un poco, tiene muchísimas erratas que se deberían corregir, lo dicho este libro no es necesario leerlo
RESPUESTA: negativo

EJEMPLO: Superadas mis espectativas! Muy estables para las tazas.
RESPUESTA: positivo

EJEMPLO: Buena succión de aire. Lo usé para sustituir el que tenía con las mismas medidas
RESPUESTA: neutro

EJEMPLO: Buenos guantes, calentitos, quizás un poco pequeños, pero yo tengo manos grandes. Al quedarme pequeños y estirarlos un poco, se ha roto el encaje.
RESPUESTA: neutro

EJEMPLO: A los 5 días Sr rompió en la unión de las dos partes
RESPUESTA: negativo

EJEMPLO: La empresa lo devolvió sin previo aviso, era para Reyes. Un 0 no lo recomiendo en absoluto, decepciónado con el servicio.
RESPUESTA: negativo

EJEMPLO: Muy cómoda la almohada
RESPUESTA: positivo

EJEMPLO: Cómodos, antideslizantes, ligeros para trabajar
RESPUESTA:


MODEL OUTPUT

 el libro de la chica del semáforo y el hombre del coche y me encantó, desde mi punto de vista este libro sobraba un poco, tiene


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.


EJEMPLO: Es muí bonito igual que en la. Foto gracias
RESPUESTA: positivo

EJEMPLO: Esta bien, es fino, queda mas grande de lo que se indica en el tallaje. El gorro también es grande.
RESPUESTA: neutro

EJEMPLO: Me gusta porque da un tono de color a la salita tipo cine ya que puede poner los tonos mas suaves o mas fuertes,son algo mas de 75cm y los mios rodean la tele como se ve en la foto,lo unico que veo un poco flojo es la cinta de pegar que no se lo que aguantara
RESPUESTA: positivo

EJEMPLO: Era un regalo y la verdad que esta dando la talla que deseaba!! Facil de utilización y muy creativo.
RESPUESTA: positivo

EJEMPLO: La calidad no es muy buena. A la primera puesta le han salido un montón de bolas y me ha dejado el colchón lleno de pelusas como se puede ver en la foto adjunta. Además, los laterales no viene con costura. No lo recomiendo.
RESPUESTA: negativo

EJEMPLO: Llegó a tiempo y perfectamente embalado. Excelente móvil lo poco que lo he usado me ha resultado super rápido, fotos de excelente calidad, batería de larga durabilidad, buenos acabados, sonido excelente, fácil de usar y una pantalla con full color. Ha sido una buena compra.
RESPUESTA: positivo

EJEMPLO: ES EXACTAMENTE IGUAL QUE EN LA FOTO, PERO LO MALO ES QUE EN LA BASE TIENE AGUJERITOS OSEA QUE SI LO DEJAS EN LA ENCIMARA EL AGUA SE COLARA, ABRIA QUE PONER ALGO DEBAJO
RESPUESTA: neutro

EJEMPLO: Muy pequeña. Compra como mínimo dos tallas más de las que necesites.
RESPUESTA: neutro

EJEMPLO: He pedido estos colores y no son los de la foto menuda estafa le pongo una estrella por poner algo pero menudos impresentables
RESPUESTA: negativo

EJEMPLO: el articulo que me enviaron no era el mismo que yo pedi, y me cobraron por el precio del de la foto, y cuando me lo enviaron era mas pequeña y no era el mismo de la foto. La verdad que he pedido ya muchos productos pero en este en concreto me decepcione muchisimo,
RESPUESTA: negativo

EJEMPLO: Quizá lo compré un poco grande y por eso se me caen Igual que en la foto. Ojo ! Elegir bien la talla
RESPUESTA:


MODEL OUTPUT

 positive EJEMPLO: I want to compré un poco grande y por eso se me caen Igual que en la foto. Ojo! Elegir bien la talla


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.


EJEMPLO: Encaja a la perfección
RESPUESTA: positivo

EJEMPLO: Me ha gustado porque tiene una buena estructura y gran capacidad para guardar ropa, calzado...
RESPUESTA: positivo

EJEMPLO: Para una cama de 1,35 son pequeñas no corresponden las medidas
RESPUESTA: negativo

EJEMPLO: Es falso,trae una bomba que no es la de Loreal.He iniciado la devolución.
RESPUESTA: negativo

EJEMPLO: Gran Altavoz. Buen sonido, buenos graves, buen volumen...
RESPUESTA: positivo

EJEMPLO: Anatómicamente no me sirve, lo encuentro incómodo. Demasiado grande.
RESPUESTA: negativo

EJEMPLO: No ha llegado a aún....
RESPUESTA: negativo

EJEMPLO: El protector de pantalla llegó un poco roto.
RESPUESTA: neutro

EJEMPLO: Las tintas son una basura.Solo imprime en blanco y negro y no en color.Dinero tirado.
RESPUESTA: negativo

EJEMPLO: Es un poco endeble sobretodo en los botones
RESPUESTA: neutro

EJEMPLO: Una auténtica porquería.
RESPUESTA:


MODEL OUTPUT

 Una auténtica porquera.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.


EJEMPLO: Me ha gustado porque tiene una buena estructura y gran capacidad para guardar ropa, calzado...
RESPUESTA: positivo

EJEMPLO: Fatal!!! No funciona en inducción aunque pone que si, es un engaño!!!!!
RESPUESTA: negativo

EJEMPLO: El articulo parece que venia usado...mal embalado y medio abierta la caja interior....
RESPUESTA: neutro

EJEMPLO: En su línea, la verdad. Acción hasta el final, mujeres apasionantes, hombres enamorados y mucha acción. La verdad es que engancha desde el principio.
RESPUESTA: positivo

EJEMPLO: Apenas 4 meses y ya no carga. Mucho peor que la batería original
RESPUESTA: negativo

EJEMPLO: No le doy las 5 estrellas por q el cristal no llega a cubrir del todo ( a lo ancho) el smartphone. Lo puse varias veces y a lo ancho se queda un poco corto. Por lo demás super bien embalado.. en si cajita antigolpes... Manual de instrucciones, toallitas.. no falta detalle la verdad.. la única pega.. la q comenté anteriormente...
RESPUESTA: neutro

EJEMPLO: No me ha gustado nada. Mucho calor dentro, resiste mal el viento, aunque no sea fuerte, los enganches se sueltan de las piquetas con facilidad. No la recomiendo.
RESPUESTA: negativo

EJEMPLO: La tarta es un poco pequeña y los complementos más aun. Me esperaba otra cosa. Pero está bien. Es plástico todo
RESPUESTA: neutro

EJEMPLO: Era un regalo y la verdad que esta dando la talla que deseaba!! Facil de utilización y muy creativo.
RESPUESTA: positivo

EJEMPLO: Me lo e puesto cuatro veces y esta descosido y me toca tirarlo una estafa
RESPUESTA: negativo

EJEMPLO: Me llegó abierta la caja y faltaba una barritas! Un engaño total
RESPUESTA:


MODEL OUTPUT

 negative


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.


EJEMPLO: La tarta es un poco pequeña y los complementos más aun. Me esperaba otra cosa. Pero está bien. Es plástico todo
RESPUESTA: neutro

EJEMPLO: Las compré para aguas abiertas, muy buenas gafas una vez que las ajustas bien. Por el material parece que entre agua, pero no. Una gran ventaja que tengan lentes polarizadas, van muy bien cuando da el sol de cara. Muy buen producto, ya veremos cuanto dura la estanqueidad.
RESPUESTA: positivo

EJEMPLO: Cumple su función, aunque la calidad de los materiales deja algo que desear. Se ve que es plástico del barato y da sensación de fragilidad. Veremos como aguanta el paso del tiempo y los usos.
RESPUESTA: neutro

EJEMPLO: El cristal le va pequeño a la pantalla, por los lados sobra un monton así que no lo cubre por completo, uno de los 2 cristales que iban en el paquete llevaba como una mota de polvo de fabrica insalvable. No lo recomiendo.
RESPUESTA: negativo

EJEMPLO: Ya había probado varios aparatos de este tipo y este supera todos los que ya he tenido . Es muy cómodo que sea recargable y no de pilas como la mayoría. Pero además el mango giratorio es una comodidad.
RESPUESTA: positivo

EJEMPLO: Es una maravilla nos ha llegado super rapido y mis hijos estan encantados construyendo toda clase de cosas,me parece un juego muy didactico y que les ayuda a pensar y desarrollar su creatividad, en mi caso buscaba algo asi y he acertado Los materiales son muy buenos
RESPUESTA: positivo

EJEMPLO: Es un disfraz que solo entra la parte de arriba del traje, viene con una máscara d látex gruesa que viene toda doblada y deforme. Pero eso no es lo peor, lo peor es que el traje cuesta 45€ y deberían de darte 45€ por ponértelo, por que es un espanto para el precio que tiene, una tela pésima, como un traje de carnaval del bazar oriental de 6€. Y lo de la talla única... uña persona que tenga una complexión algo fuerte, no le estaría bien. De verdad, es un traje que no vale en absoluto el dinero que cuesta. A si es que nada más verlo, se fue de vuelta.
RESPUESTA: negativo

EJEMPLO: Vienen un montón de cosas, como el cortahilos que me encanta , para empezar a bordar está muy bien. Los hilos no parecen de mala calidad, y hay muchos colores
RESPUESTA: positivo

EJEMPLO: es muy pequeña y tiene poco aluminio y se a abierto un poco aluminio es muy cómoda y cabe bien la comida
RESPUESTA: neutro

EJEMPLO: El material no es de muy buena calidad. el pedido tardo mucho ,no estoy muy contento con esta compra,no lo recomiendo
RESPUESTA: negativo

EJEMPLO: La mesa cumple con lo que necesitaba. Pesa poco, se pliega facil, y es estable para dejar algo fijo en ella. Para estar tecleando o manejando cosas en ella no parece la mesa mas estable del mundo. El material es plastico.
RESPUESTA:


MODEL OUTPUT

 el material es el mercado del mercado.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.


EJEMPLO: Muy buena calidad. Lo recomiendo.
RESPUESTA: positivo

EJEMPLO: Està bien para el precio que tiene
RESPUESTA: neutro

EJEMPLO: Estaria bien que fuese mas largo el hueco pars que no se quede tsn colgado el pints labios. Cumple su funcion si no tienes mucho dinero.
RESPUESTA: neutro

EJEMPLO: Funciona bien pero se nota que la calidad no es la de la original.
RESPUESTA: neutro

EJEMPLO: El producto no llegó en el tiempo indicado, exactamente 24 días después, es lamentable que pasen estas cosas, ya no me sirve el producto para la fecha en la que ha llegado.
RESPUESTA: neutro

EJEMPLO: La tarta es un poco pequeña y los complementos más aun. Me esperaba otra cosa. Pero está bien. Es plástico todo
RESPUESTA: neutro

EJEMPLO: Mi hija está encantada , con 6 años tiene las uñas pequeñas todavía y le quedan muy justas las calcomanías pero ella está encantada
RESPUESTA: positivo

EJEMPLO: Me ha gustado porque tiene una buena estructura y gran capacidad para guardar ropa, calzado...
RESPUESTA: positivo

EJEMPLO: Funciona bien, pero a veces apretando se suelta.
RESPUESTA: neutro

EJEMPLO: En poco tiempo el asa que sube y baja ya no funciona correctamente. Estoy decepcionada, ya que era para utilizar todas las semanas.
RESPUESTA: neutro

EJEMPLO: Como pata esta bien si tienes adaptador. Calidad buena.
RESPUESTA:


MODEL OUTPUT

 como te es el recomendador. Calidad buena.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.


EJEMPLO: Para el colegio son perfectos.Duran mucho tiempo.Llegaron antes de tiempo.
RESPUESTA: positivo

EJEMPLO: la tela no es la que esperaba
RESPUESTA: neutro

EJEMPLO: Sirve, pero no tiene mucha calidad
RESPUESTA: neutro

EJEMPLO: Muy caros luego los he estado viendo 2euros iguales y la misma marca .se han pasado con el margen de beneficio
RESPUESTA: neutro

EJEMPLO: Solo me llegó una pieza cuando el pedido era de 6
RESPUESTA: negativo

EJEMPLO: La funda no esta mal, pero en la parte trasera vienen 4 apoyos blancos, uno de ellos venia muy mal pegado y al segundo día lo perdí.Me esperaba mas por su precio.
RESPUESTA: neutro

EJEMPLO: Lo siento pero solamente por lo mal que ha resultado el envío con MRW y el tiempo que me han hecho perder para poder tener el paquete no volvería a comprarlo.
RESPUESTA: negativo

EJEMPLO: No me gusta nada de nada....pero es lo que quiere mi hija. Lo espera con ilusión....así que....bueno. Me parece un juguete muy caro para lo que es.
RESPUESTA: negativo

EJEMPLO: Era para otra persona y me dice que van bien. Más tarde vimos que se pueden conseguir más baratos en tiendas.
RESPUESTA: neutro

EJEMPLO: Es bastante simple y no trae muchas cosas pero más completo que otros que he visto más caros. Para el precio está bien.
RESPUESTA: neutro

EJEMPLO: No duran mucho tiempo (6 meses)
RESPUESTA:


MODEL OUTPUT

 negative EJEMPLO: No tiene mucha calidad No tiene mucha calidad No tiene mucha calidad No tiene mucha calidad No tiene mucha calidad


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.


EJEMPLO: Es agradable y protege. Ya lo sabemos que la proteccion es así pero este año no me he quemado y tengo algo de color
RESPUESTA: positivo

EJEMPLO: A mi hija la ha encantado. Viene además 2 hojas con pegatinas de estrellas, círculos y formas pequeñas en color rojo y plata y se lo ha pasado genial pintando y pegándolas.
RESPUESTA: positivo

EJEMPLO: Mi hija esta en un campamento y nos pidieron que llevara unos rotuladores acrilicos para hacer distintas manualidades, pintar en tazas, piedras...etc. Esta super contenta con los rotuladores porque los colores son muy bonitos y pintan bien. Todo un acierto
RESPUESTA: positivo

EJEMPLO: El color rojo va genial para las ojeras aguanta todo el día. Y el verde para tapar las rojeces me encantan
RESPUESTA: positivo

EJEMPLO: El difusor no es fino suelta grumos, no es transparente, el faro pierde transparencia y encima toma un color azulado no lo recomiendo usarlo para faros a no ser q seas un chapuzas
RESPUESTA: negativo

EJEMPLO: Me gusta porque da un tono de color a la salita tipo cine ya que puede poner los tonos mas suaves o mas fuertes,son algo mas de 75cm y los mios rodean la tele como se ve en la foto,lo unico que veo un poco flojo es la cinta de pegar que no se lo que aguantara
RESPUESTA: positivo

EJEMPLO: Vienen un montón de cosas, como el cortahilos que me encanta , para empezar a bordar está muy bien. Los hilos no parecen de mala calidad, y hay muchos colores
RESPUESTA: positivo

EJEMPLO: En menos de 2-3 meses perdieron el color, totalmente descoloridas y dejaron de ser azules marino para pasar a tener falta de color, compra muy mala, ya es la segunda vez que me ocurre, no volveré a comprarlas.
RESPUESTA: negativo

EJEMPLO: La compré porque tenía la original que me quedaba grande. Ésta me queda perfecta y me encanta el color. Llevo con ella ya tiempo y sigue como el primer día.
RESPUESTA: positivo

EJEMPLO: En general me a gustado aunque se equivocaron de color, lo encargué negro y me vino con estampado gris.
RESPUESTA: neutro

EJEMPLO: Me a llegado rallada los dibujos y de color naranja , no es lo que pone en la descripción ponía de color rosa y llega de otro color .
RESPUESTA:


MODEL OUTPUT

 rallado el dibujo y el color naranja , no es lo que pone en la descripción o el color rosa y llega de otro color .


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.


EJEMPLO: Un poquito escaso pero funciona , hay que seguir bien todos los pasos
RESPUESTA: positivo

EJEMPLO: Es una maravilla nos ha llegado super rapido y mis hijos estan encantados construyendo toda clase de cosas,me parece un juego muy didactico y que les ayuda a pensar y desarrollar su creatividad, en mi caso buscaba algo asi y he acertado Los materiales son muy buenos
RESPUESTA: positivo

EJEMPLO: Hola, el producto me parece muy bueno pero solicité su devolución y nunca vienieron. la empresa con la que trabajan de envío no es buena.
RESPUESTA: neutro

EJEMPLO: No están mal y se mantienen bastante pero tiene brillantina y es lo que no me gusta y no compraré más por ese motivo
RESPUESTA: neutro

EJEMPLO: Yo usaba el tamaño slim que compraba en el estanco y pensaba que estos eran iguales pero no, son aún más cortos. Yo uso una liadora manual y ya me apaño pero para quien los lie a mano necesitará práctica. Por lo demás, relación cantidad-precio excelente.
RESPUESTA: neutro

EJEMPLO: Estoy muy contenta. Lo conecto cuando salgo del trabajo y al llegar a casa ya está caliente. También lo puedes programar, hora de encendido, apagado, grados. Te dice también en el móvil a cuantos grados está tu casa. Yo lo recomiendo 100%
RESPUESTA: positivo

EJEMPLO: En su línea, la verdad. Acción hasta el final, mujeres apasionantes, hombres enamorados y mucha acción. La verdad es que engancha desde el principio.
RESPUESTA: positivo

EJEMPLO: Le había dado cinco estrellas y una opinión muy positiva, el aparato funcionó bien mientras funcionó, el problema es que funcionó poco tiempo. Hoy, apenas tres meses después de adquirirlo, he ido a encenderlo y en lugar de arrancar se ha quedado parado. Unos segundos más tarde ha soltado un chispazo y ahí se ha quedado. No se le ha dado ningún golpe, ni se ha usado para nada distinto a su finalidad, así que la única explicación lógica es que viniera defectuoso de fábrica. Amazon me va a reembolsar el importe en garantía en cuanto lo devuelva, así que por ese lado no tengo queja.
RESPUESTA: negativo

EJEMPLO: Es un espejo sencillo, cumple su función para ver al bebé y es fácil de instalar. Contenta con la compra.
RESPUESTA: neutro

EJEMPLO: Después de un año de tenerlas, muy contenta. Tras varios lavados y secadoras no tiene bolitas. Muy buena calidad. Lo único que la funda de cojín es demasiado grande para mi gusto.
RESPUESTA: positivo

EJEMPLO: No sé lo que durará, pero eso de poder cortar el celo automaticamente mientras lo pones, es fantástico. La idea es brillante y de momento, funciona muy bien. Para la gente que ponga carteles, supongo que es una herramienta obligatoria. Recomendable 100%
RESPUESTA:


MODEL OUTPUT

 100%


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.


EJEMPLO: Diseño poco innovador
RESPUESTA: neutro

EJEMPLO: Utilizó la tarjeta de sonido para conectar un micro PC y sacar el sonido por los altavoces de una máquina de gimnasio. El resultado sonido perfecto y potente, sin necesidad de configurar nada. Perfecto.
RESPUESTA: positivo

EJEMPLO: Fácil de conectar, pequeño y manejable. El sonido regular y se oye bastante flojito. No lo volvería a comprar.
RESPUESTA: neutro

EJEMPLO: Mala calidad, solo funciona la mitad, nada recomendable
RESPUESTA: neutro

EJEMPLO: Un desastre de producto. Los globos imposibles de inchar, sin instrucciones, Valvulas imposibles y que se rompen. No lo recomiendo en absoluto.
RESPUESTA: negativo

EJEMPLO: Se me ha desconchado al despegar una pieza. Lo he devuelto.
RESPUESTA: negativo

EJEMPLO: No sirve para agua caliente se deforma
RESPUESTA: negativo

EJEMPLO: Es un espejo sencillo, cumple su función para ver al bebé y es fácil de instalar. Contenta con la compra.
RESPUESTA: neutro

EJEMPLO: A mi personalmente no me hicieron nada, incluso tomando 2
RESPUESTA: negativo

EJEMPLO: a mi parecer muy incómodo para jugar
RESPUESTA: neutro

EJEMPLO: después de un mes, imposible conectar con ningún dispositivo....mala compra
RESPUESTA:


MODEL OUTPUT

 es una tarea de clasificación de texto. EJEMPLO: Diseo poco innovador RESPUESTA: neutro EJEMPLO: Utiliza la tarjeta de sonido para conectar un micro


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.


EJEMPLO: Muy buena calidad. Lo recomiendo.
RESPUESTA: positivo

EJEMPLO: SIEMPRE LO COMPRO, PERO LO MALO ES EL PRECIO, MUY CARO Y CADA VEZ LO SUBEN MAS DE PRECIO CUANDO SON UNAS PEGATINAS. NO OBSTANTE, HACEN SU USO, PERO SOLO POR UNOS DIAS ESCASOS... AUN ASI ES UNA NOVEDAD
RESPUESTA: neutro

EJEMPLO: No me ha gustado nada. Mucho calor dentro, resiste mal el viento, aunque no sea fuerte, los enganches se sueltan de las piquetas con facilidad. No la recomiendo.
RESPUESTA: negativo

EJEMPLO: Molde resistente y bueno. No pesa nada. Muy práctico.
RESPUESTA: positivo

EJEMPLO: Me he quedado un tanto decepcionado con el producto. Baja estabilidad, materiales poco resistentes, sensación de poco recorrido hacen que lo pagado sea lo justo por lo recibido. Vistas las críticas de anteriores compradores me esperaba más. Aún me estoy pensando si estrenarlo o si directamente proceder a su devolución.
RESPUESTA: neutro

EJEMPLO: Es demasiado grueso, queda tosco y un pelín feo, las hay más discretas que quedan mucho mejor por el mismo precio
RESPUESTA: neutro

EJEMPLO: Pense que por el precio tan barato no iba a ser muy bueno pero todl lo contrario. Lo puse en la parte trasera moto y me va super bien y soy mas visible.
RESPUESTA: positivo

EJEMPLO: Me ha gustado porque tiene una buena estructura y gran capacidad para guardar ropa, calzado...
RESPUESTA: positivo

EJEMPLO: Calidad y buen precio
RESPUESTA: neutro

EJEMPLO: Cumplen satisfactoriamente con la función. Se pueden recortar y son gruesas. Buena relación calidad precio
RESPUESTA: positivo

EJEMPLO: Cumple su función, es ligero con gran resistencia. Se pliega hasta ocupar muy poco espacio. Lo recomiendo, por su calidad y precio
RESPUESTA:


MODEL OUTPUT

 positive


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.


EJEMPLO: Me leí el libro de la chica del semáforo y el hombre del coche y me encantó, desde mi punto de vista este libro sobraba un poco, tiene muchísimas erratas que se deberían corregir, lo dicho este libro no es necesario leerlo
RESPUESTA: negativo

EJEMPLO: El arte del juego es precioso. La historia merece ser vista al menos. La edición coleccionista, a ese precio, y con este juego, merece salir de camino a casa de cualquier jugon.
RESPUESTA: positivo

EJEMPLO: Un libro chulísimo, mezclando historia y chistes gráficos. Para todos los que conozcan el canal de youtube les va a gustar, porque ya conocen el estilo que manejan Pascu y Rodri, los autores. Por ponerle sólo un pero, demasiado corto.
RESPUESTA: positivo

EJEMPLO: El envío muy rápido, el mismo día del lanzamiento del libro. La lástima es que me lo han mandado algo deteriorado, en la parte superior hay una zona que está como rasgada. Era para un regalo.
RESPUESTA: neutro

EJEMPLO: Comencé a leer este relato con mucho interés y curiosidad, pues como lector aficionado a la historia, especialmente a la historia de España, he de reconocer con humildad que me queda mucho por leer y por conocer de no pocos capítulos de la nuestra historia, y ese era uno de ellos, la guerra de África. Luz para el olvido me ha sorprendido positivamente por su fácil y amena lectura de principio a fin, he disfrutado y he aprendido mucho, a la vez que el, capitán médico Luis María Alonso me ha sorprendido por su carácter, su fuerte personalidad, su confianza en sus principios y su fidelidad a los mismos, fue tanta su honestidad consigo mismo que le costó la vida. Considero que es una lección de historia recomendable para todos los españoles que quieran aprender y disfrutar con la lectura.
RESPUESTA: positivo

EJEMPLO: El manual llegó con algunas manchas en las juntas de las páginas. Por lo demás todo perfecto.
RESPUESTA: neutro

EJEMPLO: Era para otra persona y me dice que van bien. Más tarde vimos que se pueden conseguir más baratos en tiendas.
RESPUESTA: neutro

EJEMPLO: La patilla de las gafas se sale demasiado fácil de la cadena
RESPUESTA: neutro

EJEMPLO: tal y como lo imaginaba, ligero , con la altura que indicaba en el paquete, y super elegante !! GRACIAS
RESPUESTA: positivo

EJEMPLO: Gran Altavoz. Buen sonido, buenos graves, buen volumen...
RESPUESTA: positivo

EJEMPLO: RECOMENDARÍA EL LIBRO A LOS INTERESADOS EN HISTORIA MEDIEVAL. ES UN LIBRO INTERESANTE Y BIEN ILUSTRADO. EL TAMAÑO ES ADECUADO.
RESPUESTA:


MODEL OUTPUT

 RECOMENDARA EL LIBOR A LOS INTERESADOS EN HISTORIA MEDIEVAL. ES UN LIBOR INTERESANTE Y BÉNÉILUSTRADO. EL TAMAO ES ADECUA


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.


EJEMPLO: No me gusta nada de nada....pero es lo que quiere mi hija. Lo espera con ilusión....así que....bueno. Me parece un juguete muy caro para lo que es.
RESPUESTA: negativo

EJEMPLO: muy agradable y comoda
RESPUESTA: positivo

EJEMPLO: No pesa, no abulta, no se mueve. Me parece perfecto. Para una micro cuatro tercios, es perfecto. Si lo recomiendo.
RESPUESTA: positivo

EJEMPLO: Preparo comida a primera hora de la mañana para llevármela a la oficina y con cremas y sopas me encuentro que, aún pasadas 6h, la comida está muy caliente y debo andar con ojo para no quemarme la boca.
RESPUESTA: positivo

EJEMPLO: 3 estrellas porque llegó tarde y no en la fecha prevista.Como no el reparto tenía que ser con Seur.En cuanto a la mochila es tal y como la ves,ni más ni menos.
RESPUESTA: neutro

EJEMPLO: Hice pan y la verdad es que va muy bien!
RESPUESTA: positivo

EJEMPLO: Es muy pequeña y tardó bastante en llegar. Pienso que es una pieza más para aire que para agua. El paso es muy pequeño.
RESPUESTA: neutro

EJEMPLO: Parece que protege bien, pero lo he devuelto porque no se apoya de manera estable. Queda demasiado vertical y es fácil que se caiga.
RESPUESTA: negativo

EJEMPLO: A los 3-4 dias dd haber llegado el telefono, la camara trasera dejo de funcionar. Me puse en contacto con ellos para tramitar un cambio, pero me pedian que devolviera este primero y luego ellos me mandaban otro, por lo que me quedaba sin movil, creo que lo mas conveniente es igual que viene el mensajero a traerme uno nuevo, a ma vez que se lleve el estropeado... no me podia quedar sin movil ya que solo tengo este y lo necesito. A dia de hoy todavía ando con el movil sin camara trasera... un desastre. NO LO RECOMIENDO PARA NADA!
RESPUESTA: negativo

EJEMPLO: El reloj está bien, se ve muy bien la hora, tiene buen diseño, los plásticos no parecen muy malos, para el precio que tiene estaría muy bien excepto sino fuera por un detalle. La hebilla sobresale mucho, se me clava en la muñeca y eso que lo he llevado bastante suelto.
RESPUESTA: neutro

EJEMPLO: Se mueve muy fácilmente y cuando se mueve, se enciede. A nada que lo tocas. No tiene freno
RESPUESTA:


MODEL OUTPUT

 es lo que quiere mi hija. Lo espera con ilusión....as que....bueno. Me parece perfecto. Para una micro cuatro tercios, es perfecto. Si lo recomi


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.


EJEMPLO: Era un regalo y la verdad que esta dando la talla que deseaba!! Facil de utilización y muy creativo.
RESPUESTA: positivo

EJEMPLO: No me gusto porque se equivocaron de producto ,y estoy esperando a que vengan a por el ,y hace casi un mes y no a pasado nadie, me gustaría saber si al final tengo que ir a devolverlo a correos
RESPUESTA: negativo

EJEMPLO: Lo compré en una oferta del black-friday para algún regalo, y al final me lo quedé para los niños, es asequible y tiene muchas piezas para entretenerse con los imanes.
RESPUESTA: neutro

EJEMPLO: Ideal original y divertida Bolsitas de regalo o para poner golosinas, bombones, etc La forma de las orejas con el nudo ya depende de la gracia que tenga cada uno. Se recomienda rellenar bien para que no queden granos en la cara del muñeco
RESPUESTA: positivo

EJEMPLO: La compré porque tenía la original que me quedaba grande. Ésta me queda perfecta y me encanta el color. Llevo con ella ya tiempo y sigue como el primer día.
RESPUESTA: positivo

EJEMPLO: SIEMPRE LO COMPRO, PERO LO MALO ES EL PRECIO, MUY CARO Y CADA VEZ LO SUBEN MAS DE PRECIO CUANDO SON UNAS PEGATINAS. NO OBSTANTE, HACEN SU USO, PERO SOLO POR UNOS DIAS ESCASOS... AUN ASI ES UNA NOVEDAD
RESPUESTA: neutro

EJEMPLO: Lo compré para un regalo y será utilizado con un iPhone X. No he tenido la oportunidad de probarlo con dicho teléfono, pero puedo hablar de la excelente calidad de los materiales, es pesado, se siente firme y tiene franjas con goma tanto en la parte superior para que el teléfono no se deslice y en su parte inferior para que no se deslice sobre la superficie donde se ubica. Sólo lo he conectado para probar las luces (azules) y si colocas un dispositivo para cargar, estás parpadean muy lentamente unas 5 veces y luego se apagan definitivamente, cosa que es de agradecer si lo vas a usar en tu mesa de noche. Por ahora lo recomiendo estéticamente, luego informaré de su funcionamiento.
RESPUESTA: positivo

EJEMPLO: El reloj está bien, se ve muy bien la hora, tiene buen diseño, los plásticos no parecen muy malos, para el precio que tiene estaría muy bien excepto sino fuera por un detalle. La hebilla sobresale mucho, se me clava en la muñeca y eso que lo he llevado bastante suelto.
RESPUESTA: neutro

EJEMPLO: Pedido con retraso, y lo peor es que aún no ha llegado. Se trataba de un regalo y calculé para que llegara de sobra, pero el envío no ha llegado todavía y la única solucion por parte del vendedor es que espere un poco más.
RESPUESTA: negativo

EJEMPLO: Hola buenas, me llego el reloj el dia 11 y no funciona bien, le tocas para ver la hora o ponerlo en marcha y va cuando quiere, le tienes que dar muchisimas veces. Lo que deseo saber es como hacer la devolución y que me enviarán otro en perfecto estado. Gracias Atentamente Paqui
RESPUESTA: negativo

EJEMPLO: Loc compre para un regalo, es perfecto le encantó, es mas grande de lo que me esperaba. No me ha decepcionado los lego siempre son un acierto y son lo que ves en la caja. Me ha gustado mucho
RESPUESTA:


MODEL OUTPUT

 el luz es perfecto y el color. luz es perfecto y el color. luz es perfecto y el color. luz es perfecto y


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.


EJEMPLO: Me leí el libro de la chica del semáforo y el hombre del coche y me encantó, desde mi punto de vista este libro sobraba un poco, tiene muchísimas erratas que se deberían corregir, lo dicho este libro no es necesario leerlo
RESPUESTA: negativo

EJEMPLO: Es tal y lo que te pone en la descripción, sin más, aunque la apertura de la basura, con el pedal, me da la impresión que se romperá dentro de no mucho tiempo, ya que se abre muy de golpe, aunque lo presiones suavemente.
RESPUESTA: neutro

EJEMPLO: Mi hija está encantada , con 6 años tiene las uñas pequeñas todavía y le quedan muy justas las calcomanías pero ella está encantada
RESPUESTA: positivo

EJEMPLO: Un libro chulísimo, mezclando historia y chistes gráficos. Para todos los que conozcan el canal de youtube les va a gustar, porque ya conocen el estilo que manejan Pascu y Rodri, los autores. Por ponerle sólo un pero, demasiado corto.
RESPUESTA: positivo

EJEMPLO: El envío muy rápido, el mismo día del lanzamiento del libro. La lástima es que me lo han mandado algo deteriorado, en la parte superior hay una zona que está como rasgada. Era para un regalo.
RESPUESTA: neutro

EJEMPLO: Funciona bien pero se nota que la calidad no es la de la original.
RESPUESTA: neutro

EJEMPLO: tal y como lo imaginaba, ligero , con la altura que indicaba en el paquete, y super elegante !! GRACIAS
RESPUESTA: positivo

EJEMPLO: no ha durado ni un mes, cuando le pones la pila, en la pantalla pone cargando, y no hace nada mas.
RESPUESTA: negativo

EJEMPLO: Se le caen los brillantes y andan por donde pase la niña. Que termina quedándose feo, solo con la manchita del pegamento donde venia el brillante que es como una lentejuela
RESPUESTA: neutro

EJEMPLO: En realidad no es muy ligero, pero tampoco es algo que incomode por el grosor que aporta al móvil.
RESPUESTA: neutro

EJEMPLO: Este era el último libro que le faltaba a mi hermana de la trilogía y por supuesto le encantó, Por lo que recomiendo mucho todos los libros
RESPUESTA:


MODEL OUTPUT

 Este era el ltimo libro que le faltaba a mi hermana de la triloga y por supuesto le encantó, Por lo que recomiendo mucho todos los


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.


EJEMPLO: Por lo que vale la bombilla, debería ser led. Me parece muy cara para ser una bombilla incandescente.
RESPUESTA: negativo

EJEMPLO: Solo viene una en el paquete
RESPUESTA: neutro

EJEMPLO: La calidad no es muy buena. A la primera puesta le han salido un montón de bolas y me ha dejado el colchón lleno de pelusas como se puede ver en la foto adjunta. Además, los laterales no viene con costura. No lo recomiendo.
RESPUESTA: negativo

EJEMPLO: Son los mismos colores, son botes pequeños perfectos para un mejor trazado. Al ser esmaltes de gel necesitarás una lámpara de luz UV/LED pero son perfectos para darles un toque de brillo a la manicura.
RESPUESTA: positivo

EJEMPLO: Buenos materiales. Gran sonido. Sin problemas de conexión con ningún dispositivo Bluetooth que he probado. Los leds le dan un toque chic.
RESPUESTA: neutro

EJEMPLO: A los 5 días Sr rompió en la unión de las dos partes
RESPUESTA: negativo

EJEMPLO: Esta bien, es fino, queda mas grande de lo que se indica en el tallaje. El gorro también es grande.
RESPUESTA: neutro

EJEMPLO: Solo mencionar que un día de lluvia y la luz dejo de funcionar
RESPUESTA: negativo

EJEMPLO: Solo la he utilizado 1 una vez y se descosió la parte trasera que va al cinturón. De usar y tirar.
RESPUESTA: negativo

EJEMPLO: En menos de 2-3 meses perdieron el color, totalmente descoloridas y dejaron de ser azules marino para pasar a tener falta de color, compra muy mala, ya es la segunda vez que me ocurre, no volveré a comprarlas.
RESPUESTA: negativo

EJEMPLO: Solo encienden la mitad de los led
RESPUESTA:


MODEL OUTPUT

 el ao de eso es el ao de eso es el ao de eso es el ao de eso es el


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.


EJEMPLO: Muy fino, abriga poco
RESPUESTA: neutro

EJEMPLO: Cumplen satisfactoriamente con la función. Se pueden recortar y son gruesas. Buena relación calidad precio
RESPUESTA: positivo

EJEMPLO: muy agradable y comoda
RESPUESTA: positivo

EJEMPLO: Me ha gustado porque tiene una buena estructura y gran capacidad para guardar ropa, calzado...
RESPUESTA: positivo

EJEMPLO: Muy buena funda, todo perfecto!
RESPUESTA: positivo

EJEMPLO: La funda para el sofá es muy fina. El material no transmite sensación de que vaya a durar en el tiempo, pero por el precio que tiene no podría pedirse algo mejor, o si?. Compré una funda de marca para la barbacoa y comprado con esta es de risa. En principio hace de repelente de agua, pero no lo he probado con lluvia torrencial, lo he probado tirándole un poco de agua en una zona con un vaso. Habría que volver a valorar esta funda con el paso del tiempo para ver si merece la pena o no su compra.
RESPUESTA: neutro

EJEMPLO: No lo recomiendo!!! envío fue rápido .. pero muñeca tiene un ojito mal pintada ..estoy muy decepcionada con la compra deberían revisar los envíos antes de empaquetarlos
RESPUESTA: negativo

EJEMPLO: Descripcion buena. Muy rapido y fiable. Gracias
RESPUESTA: positivo

EJEMPLO: Muy practico.Pero cuando hay sol no ves absolutamente nada.Las pulsaciones tampoco las marca bien.Pero por el precio no se puede pedir mas
RESPUESTA: neutro

EJEMPLO: Queda muy bien y te protege el reloj
RESPUESTA: positivo

EJEMPLO: Muy fina, poca protección
RESPUESTA:


MODEL OUTPUT

 el nico resuelo RESPUESTA: neutro


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.


EJEMPLO: Yo usaba el tamaño slim que compraba en el estanco y pensaba que estos eran iguales pero no, son aún más cortos. Yo uso una liadora manual y ya me apaño pero para quien los lie a mano necesitará práctica. Por lo demás, relación cantidad-precio excelente.
RESPUESTA: neutro

EJEMPLO: Un teléfono ajustado a la definición. Sencillo y práctico. El timbre de llamada un poco bajo
RESPUESTA: neutro

EJEMPLO: No lo recomiendo!!! envío fue rápido .. pero muñeca tiene un ojito mal pintada ..estoy muy decepcionada con la compra deberían revisar los envíos antes de empaquetarlos
RESPUESTA: negativo

EJEMPLO: El material no es de muy buena calidad. el pedido tardo mucho ,no estoy muy contento con esta compra,no lo recomiendo
RESPUESTA: negativo

EJEMPLO: Por lo que cuesta, no está mal, recomendable su compra, como producto asequible.
RESPUESTA: neutro

EJEMPLO: Me lo esperaba un poco mas desahogado al ir por el puerto thunderbolt 2. Se calienta el adaptador, no excesivamente pero es algo a tener en cuenta .
RESPUESTA: neutro

EJEMPLO: Es muy comodo eso sin duda. La capacidad de succion es muy buena en modo turbo pero eso te da unos 10 minutos solo de autonomia y tienes que cambiar la bateria, y cargar. esperaba mas de un producto como esto y al precio que tiene. Le falta potencia en mi opinion.
RESPUESTA: neutro

EJEMPLO: Quedan perfectas y para mi gusto sientan mejor que el modelo OS que también tengo y resulta caluroso frente a este.
RESPUESTA: positivo

EJEMPLO: Para empezar, si el tiempo de envío es largo, el producto se retrasa por problema de aduanas. Solicitó la devolución, ya que es para un regalo y ante la tardanza han adquirido una prenda similar en otro sitio. Amazon me pone en contacto con el vendedor, el cual no facilita la devolución. Mientras tanto recibo el paquete y cuál es mi sorpresa que el artículo q me envían es un bolso negro, una especie de portafolios pero que nada tiene que ver con el sujetador de lactancia que encargue. Sigo en contacto con el vendedor, que aún sigue sin darme ninguna solución.
RESPUESTA: negativo

EJEMPLO: Un poquito escaso pero funciona , hay que seguir bien todos los pasos
RESPUESTA: positivo

EJEMPLO: Decepcionada se supone que es universal pero para el carro jane muun no vale no encaja en eñ cabezero porque la tela de saco es rigida y muy estrecha.
RESPUESTA:


MODEL OUTPUT

 Decepcionada se supone que es universal pero para el carro jane muun no vale no encaja en e cabezero porque la tela de saco es rigida


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.


EJEMPLO: No asusta palomas. No sirve para lo que pone.
RESPUESTA: negativo

EJEMPLO: Es bastante simple y no trae muchas cosas pero más completo que otros que he visto más caros. Para el precio está bien.
RESPUESTA: neutro

EJEMPLO: Funciona bien, pero a veces apretando se suelta.
RESPUESTA: neutro

EJEMPLO: Lo compre pensando en conectar para transmisión de datos y solo sirve para cargar la batería. Para esto último es práctico. Pero si lo quieres para otra cosa no vale.
RESPUESTA: neutro

EJEMPLO: Sirve, pero no tiene mucha calidad
RESPUESTA: neutro

EJEMPLO: La máquina No funciona correctamente no corta el pelo se atasca desde el principio, es decir, no es un producto que yo recomiende. Baja calidad no recomendable.
RESPUESTA: negativo

EJEMPLO: Un mes de uso... y se me borran las letras... no entiendo nada...
RESPUESTA: negativo

EJEMPLO: El sol la endureció y se rasgó toda en cuanto la movió un poco el viento, no recomendable.
RESPUESTA: negativo

EJEMPLO: El botón no funciona, con lo cual si quieres pararlo, necesitas quitarle las pilas. No lo recomiendo.
RESPUESTA: negativo

EJEMPLO: No funciona lo he devuelto, no hace nada
RESPUESTA: negativo

EJEMPLO: Consta como un cartucho vacío, no sirve para nada.
RESPUESTA:


MODEL OUTPUT

 como un cartucho vaco, no sirve para nada.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.


EJEMPLO: El protector de pantalla llegó un poco roto.
RESPUESTA: neutro

EJEMPLO: Después de unos meses de uso cumple su función. Materiales y acabados buenos, lo que no me gusta es que la ventana es muy oscura y cuesta ver la hora
RESPUESTA: neutro

EJEMPLO: El arte del juego es precioso. La historia merece ser vista al menos. La edición coleccionista, a ese precio, y con este juego, merece salir de camino a casa de cualquier jugon.
RESPUESTA: positivo

EJEMPLO: todo parce bien, aun no lo he probado pero de primer vistazo todo esta correcto, no pongo más estrellas por eso
RESPUESTA: neutro

EJEMPLO: EL AJUSTE A LA BARANDILLA ES MUY GRANDE EN LA POSICION MINIMA
RESPUESTA: neutro

EJEMPLO: Hasta ahora el gato mordía las bolsas de pienso para sacar la comida, ahora le controlo yo la alimentación, además el pienso está fresco más tiempo.
RESPUESTA: positivo

EJEMPLO: Chulísimo,a la niña del cumple le ha encantado
RESPUESTA: positivo

EJEMPLO: Malisimas. Las he tenido que tirar. El cierre se deforma ademas han venido super sucias.
RESPUESTA: negativo

EJEMPLO: Solo me llegó una pieza cuando el pedido era de 6
RESPUESTA: negativo

EJEMPLO: Hice pan y la verdad es que va muy bien!
RESPUESTA: positivo

EJEMPLO: El pantalón destiñe, ha manchado las sábanas de verde en el primer uso
RESPUESTA:


MODEL OUTPUT

 El pantalón destie, ha manchado las sábanas verdes en el primer uso


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.


EJEMPLO: Funciona bien, pero a veces apretando se suelta.
RESPUESTA: neutro

EJEMPLO: El envio correcto, el empaquetado correcto pero para su precio esperaba algo mas grande con eso no me llega ni para una pierna lo siento muy pequeño
RESPUESTA: neutro

EJEMPLO: El armario está bastante bien. Pero el tema de mensajeria deja mucho que desear, aunque llego relativamente rapido (algo menos de 2 semanas), vino con varios golpes los cuales dificultan el montaje e interrumpen el cierre y apertura de puertas
RESPUESTA: neutro

EJEMPLO: Buena succión de aire. Lo usé para sustituir el que tenía con las mismas medidas
RESPUESTA: neutro

EJEMPLO: Es pequeño, silencioso y no pesa nada. Lo uso para calentar una habitación de tamaño medio y a los 10 minutos (a máxima potencia) tengo que apagarlo porque hace calor. Genial.
RESPUESTA: positivo

EJEMPLO: La tarta es un poco pequeña y los complementos más aun. Me esperaba otra cosa. Pero está bien. Es plástico todo
RESPUESTA: neutro

EJEMPLO: ha salido con defecto, en llamadas salientes no se oye al interlocutor, lo cambie por otro igual y he tenido el mismo problema
RESPUESTA: negativo

EJEMPLO: El cristal se adhiere por adhesivo, no por estática. La primera vez que se me cayo, se movio. La segunda se desprendió y quedó inutilizable sin llegar a romperse. Defraudado.
RESPUESTA: negativo

EJEMPLO: Está muy bien, corren y saltan detrás de ellos.
RESPUESTA: positivo

EJEMPLO: Es muy pequeña y tardó bastante en llegar. Pienso que es una pieza más para aire que para agua. El paso es muy pequeño.
RESPUESTA: neutro

EJEMPLO: CUMPLE LA MISION PARA MEDIR CUALQUIER ANGULO,.ES ALGO PEQUEÑO TE TIENES QUE AUXILIAR DE UNA REGLA.EL ENVIO FUE RAPIDO Y MUY BIEN EMBALADO.
RESPUESTA:


MODEL OUTPUT

 CUMPLE LA MISION PARA MEDIR CUALQUIER ANGULO,.ES ALGO PEQUEO TE TIENES QUE AUXILIAR DE UNA REGLA.EL ENVIO FUE RAPIDO Y


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.


EJEMPLO: Buenos guantes, calentitos, quizás un poco pequeños, pero yo tengo manos grandes. Al quedarme pequeños y estirarlos un poco, se ha roto el encaje.
RESPUESTA: neutro

EJEMPLO: Tiene un perfume muy agradable y duradero a la vez que discreto. Una sola barrita al día perfuma mi salón para todo el día.
RESPUESTA: positivo

EJEMPLO: Es un rollo para ponerlo en marcha...
RESPUESTA: neutro

EJEMPLO: Ha llegado la caratula un poco rajada. Por lo demás todo bien.
RESPUESTA: neutro

EJEMPLO: Encaja a la perfección
RESPUESTA: positivo

EJEMPLO: los llaveros son de plástico finito,pero por el precio no se puede pedir más .Las pulseras tallan un poco grande para niños
RESPUESTA: neutro

EJEMPLO: Me parece una Porqueria pero la niña lo pidió a los reyes y ella está feliz
RESPUESTA: neutro

EJEMPLO: Muy buena calidad. Lo recomiendo.
RESPUESTA: positivo

EJEMPLO: Un mes de uso... y se me borran las letras... no entiendo nada...
RESPUESTA: negativo

EJEMPLO: De momento me está encantando. Con un poquito cunde mucho. Ilumina y nutre el rostro.
RESPUESTA: positivo

EJEMPLO: Las veo un poco flojas para un perro grande..
RESPUESTA:


MODEL OUTPUT

 veo un poco fácil para una gran gran esquina.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.


EJEMPLO: Me ha gustado mucho el producto. El diseño y calidad muy buenos. El pedido llegó muy rapido. Me ha encantado
RESPUESTA: positivo

EJEMPLO: Es un rollo para ponerlo en marcha...
RESPUESTA: neutro

EJEMPLO: Cumple su función, aunque la calidad de los materiales deja algo que desear. Se ve que es plástico del barato y da sensación de fragilidad. Veremos como aguanta el paso del tiempo y los usos.
RESPUESTA: neutro

EJEMPLO: Después de unos meses de uso cumple su función. Materiales y acabados buenos, lo que no me gusta es que la ventana es muy oscura y cuesta ver la hora
RESPUESTA: neutro

EJEMPLO: Mi hija está encantada , con 6 años tiene las uñas pequeñas todavía y le quedan muy justas las calcomanías pero ella está encantada
RESPUESTA: positivo

EJEMPLO: Pues efectivamente como ponen comentarios anteriores ....duro el rollo 30 minutos si es q llego, recambios no encuentras, una decepción total. Lo triste es q lo pidió mi niña de 4 años para Reyes y ahora q hace con eso? Pongo una estrella pq no me deja poner cero.
RESPUESTA: negativo

EJEMPLO: El material no es de muy buena calidad. el pedido tardo mucho ,no estoy muy contento con esta compra,no lo recomiendo
RESPUESTA: negativo

EJEMPLO: Es muy pequeña y tardó bastante en llegar. Pienso que es una pieza más para aire que para agua. El paso es muy pequeño.
RESPUESTA: neutro

EJEMPLO: Es una maravilla nos ha llegado super rapido y mis hijos estan encantados construyendo toda clase de cosas,me parece un juego muy didactico y que les ayuda a pensar y desarrollar su creatividad, en mi caso buscaba algo asi y he acertado Los materiales son muy buenos
RESPUESTA: positivo

EJEMPLO: La tarta es un poco pequeña y los complementos más aun. Me esperaba otra cosa. Pero está bien. Es plástico todo
RESPUESTA: neutro

EJEMPLO: Lo malo es que me hubiese gustado que el rollo fuera mas largo. Para poder aprovecharlo mejor. Pero el material es de buena calidad.
RESPUESTA:


MODEL OUTPUT

 el malo es que me hubiese gustado que el rollo fuera mas largo. Para poder aprovecharlo mejor. Pero el material es de buena calidad.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.


EJEMPLO: Muy liviano, el material parece hojalata. Muy bonito por dentro y por fuera. El casquillo es bastante pobre. El cable y embellecedor están correctos. Pero se come casi toda la luz de la bombilla, necesita muchisima potencia para que de luminosidad. Y es una luz muy muy anaranjada. Si quieres un ambiente tenue, ok.
RESPUESTA: neutro

EJEMPLO: no se actualiza, no marca bien la distancia,se gasta muy pronto la bateria, con 3 semanas de uso se a partido la trabilla de garga, no lo recomiendo, la aplicacion del movil no actualiza
RESPUESTA: negativo

EJEMPLO: Da mucha luz para poder dormir en la habitación
RESPUESTA: neutro

EJEMPLO: Son los mismos colores, son botes pequeños perfectos para un mejor trazado. Al ser esmaltes de gel necesitarás una lámpara de luz UV/LED pero son perfectos para darles un toque de brillo a la manicura.
RESPUESTA: positivo

EJEMPLO: Solo mencionar que un día de lluvia y la luz dejo de funcionar
RESPUESTA: negativo

EJEMPLO: Me hubiera gustado que se vea por la noche con otro tipo de iluminación. No tengo claro que sea muy preciso.
RESPUESTA: neutro

EJEMPLO: Llegó a tiempo y perfectamente embalado. Excelente móvil lo poco que lo he usado me ha resultado super rápido, fotos de excelente calidad, batería de larga durabilidad, buenos acabados, sonido excelente, fácil de usar y una pantalla con full color. Ha sido una buena compra.
RESPUESTA: positivo

EJEMPLO: No es lo que esperaba. Buscaba un aspirador y no un filtro, pues con éste necesito adicionalmente un aspirador lo que lo hace incomodísimo de utilizar de forma habitual
RESPUESTA: negativo

EJEMPLO: Muy buen producto. Viene con pilas para la luz. Muy estable y practico. La verdad es que lo recomiendo totalmente
RESPUESTA: positivo

EJEMPLO: El difusor no es fino suelta grumos, no es transparente, el faro pierde transparencia y encima toma un color azulado no lo recomiendo usarlo para faros a no ser q seas un chapuzas
RESPUESTA: negativo

EJEMPLO: Hacen perfectamente su función. La luz delantera ilumina muchísimo incluso en su nivel mas bajo, y la trasera se ve perfectamente a muchísima distancia. La bateria para la luz delantera tiene mucha autonomia. El montaje es muy sencillo. Recomendo para todo el mundo. Gracias.
RESPUESTA:


MODEL OUTPUT

 Gracias.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.


EJEMPLO: Él color no se ajusta al de e la foto. Por lo demás todo perfecto.
RESPUESTA: neutro

EJEMPLO: La peor cámara que he tenido en mis manos. Dos veces la he tenido que reemplazar al primer día de uso. Al final con la mitad de accesorios comprados la he tenido que devolver y no comprarla más. La cámara se queda congelada. Se cargaba la batería cuando ella quería y se descargaba sola sin usarla. Problemas de actualización, vamos si quieres tirar el dinero cómprate está cámara. Una gran decepción. Esperaba que está cámara funcionara bien pero ha sido una pesadilla. Amazon me dijo que la iba a quitar de la venta por que había muchísimas devoluciones de esta cámara
RESPUESTA: negativo

EJEMPLO: Por lo que vale la bombilla, debería ser led. Me parece muy cara para ser una bombilla incandescente.
RESPUESTA: negativo

EJEMPLO: Es una monada. El tamaño y colores es el indicado, tiene luces y sonido ( imita a ebullición) los accesorios de un plástico muy aceptable . Son rígidos.
RESPUESTA: positivo

EJEMPLO: En menos de 2-3 meses perdieron el color, totalmente descoloridas y dejaron de ser azules marino para pasar a tener falta de color, compra muy mala, ya es la segunda vez que me ocurre, no volveré a comprarlas.
RESPUESTA: negativo

EJEMPLO: Funda bonita y ligera. La compré en color amarillo y queda muy bien. No le doy cinco estrellas porque es muy cara para ser una funda de tela.
RESPUESTA: neutro

EJEMPLO: Las tintas son una basura.Solo imprime en blanco y negro y no en color.Dinero tirado.
RESPUESTA: negativo

EJEMPLO: Muy liviano, el material parece hojalata. Muy bonito por dentro y por fuera. El casquillo es bastante pobre. El cable y embellecedor están correctos. Pero se come casi toda la luz de la bombilla, necesita muchisima potencia para que de luminosidad. Y es una luz muy muy anaranjada. Si quieres un ambiente tenue, ok.
RESPUESTA: neutro

EJEMPLO: El difusor no es fino suelta grumos, no es transparente, el faro pierde transparencia y encima toma un color azulado no lo recomiendo usarlo para faros a no ser q seas un chapuzas
RESPUESTA: negativo

EJEMPLO: Es agradable y protege. Ya lo sabemos que la proteccion es así pero este año no me he quemado y tengo algo de color
RESPUESTA: positivo

EJEMPLO: No e tenido bombillas de estas pero son una pasada, Pones una película y le cambias el color y esta súper bien, la app tiene varias modalidades. Modo lectura ,desayuno disco etc...
RESPUESTA:


MODEL OUTPUT

 el ejemploso es el ejemploso es el ejemploso es el ejemploso es el ejemploso es el


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.


EJEMPLO: Después de unos meses de uso cumple su función. Materiales y acabados buenos, lo que no me gusta es que la ventana es muy oscura y cuesta ver la hora
RESPUESTA: neutro

EJEMPLO: Las compré para aguas abiertas, muy buenas gafas una vez que las ajustas bien. Por el material parece que entre agua, pero no. Una gran ventaja que tengan lentes polarizadas, van muy bien cuando da el sol de cara. Muy buen producto, ya veremos cuanto dura la estanqueidad.
RESPUESTA: positivo

EJEMPLO: ES EXACTAMENTE IGUAL QUE EN LA FOTO, PERO LO MALO ES QUE EN LA BASE TIENE AGUJERITOS OSEA QUE SI LO DEJAS EN LA ENCIMARA EL AGUA SE COLARA, ABRIA QUE PONER ALGO DEBAJO
RESPUESTA: neutro

EJEMPLO: Aparentemente es bonito y fácil de colocar, pero cuando sales a la calle y lo tienes que usarlo para advertir algún peatón que se cruza despistado o deseas avisar, para poder pasar o adelantar. El sonido es muy débil insuficiente para una ciudad o pueblo. Es una pena el producto es bonito pero no merece la pena comprarlo.
RESPUESTA: negativo

EJEMPLO: Parece que protege bien, pero lo he devuelto porque no se apoya de manera estable. Queda demasiado vertical y es fácil que se caiga.
RESPUESTA: negativo

EJEMPLO: En 2 semanas está completamente roto. Comenzó con una raya y ahora está roto por todas partes. Además de pequeño. No lo recomiendo
RESPUESTA: negativo

EJEMPLO: Contentísimos,el primer día trago agua hasta equilibrarse y después perfectos.... Mi niña tiene 2 años..
RESPUESTA: positivo

EJEMPLO: EL PRODUCTO ES LO QUE QUERIA .PERO CON QUIEN ESTOY ENCANTADA ES CON LA TIENDA EN LA QUE LO COMPRE. ME ATENDIERON DOS CHICOS SUPER AGRADABLES Y QUE ME SOLUCIONARON TODAS MIS DUDAS Y ME FACILITARON TODAS LAS GESTIONES DE ENTREGA Y REPOSICION DE OTRO MOVIL PORQUE EL PRIMERO AL HACER ACTUALIZACION SE ESTROPEO.
RESPUESTA: positivo

EJEMPLO: Es un auténtico timo, plástico de malísima calidad, lleva un ventilador de muy baja potencia, es de Pc, he metido el recipiente al congelador y ni poniéndole hielo enfria, imagínate con agua. Los botones que lleva dan la sensación que se van a romper cuando los pulsas, la tapa que tienes que quitar para sacar el recipiente luego no encaja y te tiras media hora para volverla a poner en su sitio. El agua a veces se sale y la placa electrónica que lleva el aparato no está protegida, te doy 2 días para que se rompa, esto es un timo señores, no malgasten su dinero, ni 5€ vale, le doy una estrella porque me obligan.
RESPUESTA: negativo

EJEMPLO: Ya había probado varios aparatos de este tipo y este supera todos los que ya he tenido . Es muy cómodo que sea recargable y no de pilas como la mayoría. Pero además el mango giratorio es una comodidad.
RESPUESTA: positivo

EJEMPLO: Practico, parece que no se debe oxidar con el agua, se engancha como si fuera una percha a un grifo o similar, pero la ventosa inferior no pega con la fuerza necesaria y se desplaza. Ojo si el enganche es prominente los estantes quedarán muy separados de la pared y se caerán por detrás
RESPUESTA:


MODEL OUTPUT

 Practico, parece que no se debe oxidar con el agua, se engancha como si fuera una percha a un grifo o similar, pero la ventosa inferior no pega con la fu


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.


EJEMPLO: Para mí es uno de los mejores. Lo compré por que me hacía falta para ¡ya! . Lo peor, el precio pues lo compro más barato en otros sitios.
RESPUESTA: positivo

EJEMPLO: Es un buen cinturón, estoy contento con el, se le ve de buen material y funciona de manera perfecta, contento.
RESPUESTA: positivo

EJEMPLO: Muy contento al ver la cara de mi mujeres...
RESPUESTA: neutro

EJEMPLO: Perfecto a un precio increíble
RESPUESTA: positivo

EJEMPLO: Muy bonitos pero bastante pequeños. Precio elevado. Más de ocho euros
RESPUESTA: neutro

EJEMPLO: Cumplen satisfactoriamente con la función. Se pueden recortar y son gruesas. Buena relación calidad precio
RESPUESTA: positivo

EJEMPLO: Es demasiado grueso, queda tosco y un pelín feo, las hay más discretas que quedan mucho mejor por el mismo precio
RESPUESTA: neutro

EJEMPLO: El material no es de muy buena calidad. el pedido tardo mucho ,no estoy muy contento con esta compra,no lo recomiendo
RESPUESTA: negativo

EJEMPLO: Muy practico.Pero cuando hay sol no ves absolutamente nada.Las pulsaciones tampoco las marca bien.Pero por el precio no se puede pedir mas
RESPUESTA: neutro

EJEMPLO: Es un espejo sencillo, cumple su función para ver al bebé y es fácil de instalar. Contenta con la compra.
RESPUESTA: neutro

EJEMPLO: Mejor de lo que me esperaba un precio increible muy contento
RESPUESTA:


MODEL OUTPUT

 positive


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.


EJEMPLO: El producto y su propia caja en el que viene empaquetado los botes es bueno, pero la caja del envío del trasporte es horrible. La caja del transporte llego completamente rota. De tal manera que los botes me los entregaron por un lado y la caja por otro. El transporte era de SEUR, muy mal.
RESPUESTA: neutro

EJEMPLO: Es justo lo que buscaba ni más ni menos y además es como la que tenía de hace ya años.
RESPUESTA: positivo

EJEMPLO: Despues de 2 dias esperando la entrega ,tuve que ir a buscarlo a la central de DHL de tarragona ,pese a haber pagado gastos de envio (10 euros),y encima me encuentro con un paquete todo golpeado en el que faltan partes del embalaje de carton y el resto esta sujeto por multitud de tiras de celo gigantesco pata que no se desmonte el resto de la caja ,nefasto he hecho varias reclamaciones a la empresa de transporte y encima me encuentro el paquete en unas condiciones horrorosas con multiples golpes,espero que al menos funcione.Nada recomendable,ni el vendedor ni amazon ni por supuesto el transportista DHL.
RESPUESTA: negativo

EJEMPLO: A pesar de estar tomándome este producto durante dos meses y medio religiosamente cada día ,no sirve absolutamente de nada, porque sigo blanca como la pared. Admiro a las personas que lo han tomado y les ha funcionado pero desde luego a mí, no ha sido el caso. Decían que empezaba a funcionar desde el segundo mes pero pienso que aunque lo tomase 12 meses seguiría igual.
RESPUESTA: negativo

EJEMPLO: Por lo que cuesta, no está mal, recomendable su compra, como producto asequible.
RESPUESTA: neutro

EJEMPLO: Para empezar, si el tiempo de envío es largo, el producto se retrasa por problema de aduanas. Solicitó la devolución, ya que es para un regalo y ante la tardanza han adquirido una prenda similar en otro sitio. Amazon me pone en contacto con el vendedor, el cual no facilita la devolución. Mientras tanto recibo el paquete y cuál es mi sorpresa que el artículo q me envían es un bolso negro, una especie de portafolios pero que nada tiene que ver con el sujetador de lactancia que encargue. Sigo en contacto con el vendedor, que aún sigue sin darme ninguna solución.
RESPUESTA: negativo

EJEMPLO: La tarta es un poco pequeña y los complementos más aun. Me esperaba otra cosa. Pero está bien. Es plástico todo
RESPUESTA: neutro

EJEMPLO: El producto está en mal estado y quiero q se me reembolse el dinero y yo comprar otro diferente porque este producto no está apto para la venta, golpeado y sin pintura, adjunto varías fotos para que lo comprueben ustedes mismo, y si quieren les mando el recibo de SEUR para que sepan que lo acabo de recibir no me a dado tiempo no a estrenarlo
RESPUESTA: negativo

EJEMPLO: Es muy pequeña y tardó bastante en llegar. Pienso que es una pieza más para aire que para agua. El paso es muy pequeño.
RESPUESTA: neutro

EJEMPLO: Me ha gustado mucho el producto. El diseño y calidad muy buenos. El pedido llegó muy rapido. Me ha encantado
RESPUESTA: positivo

EJEMPLO: El producto exacto y sin una queja. En cambio el transporte TARDE MAL Y NUNCA. No sólo no entregaron el paquete a tiempo dos días más tarde de lo acordado si no que además tuve que desplazarme yo a buscarlo a la central Cuando yo estoy pagando por un servicio puerta a puerta. Correos express MUY MAL. Y NO ES LA PRIMERA VEZ
RESPUESTA:


MODEL OUTPUT

 TARDE MAL Y NUNCA. No sólo no entregaron el paquete a tiempo de dos das más tarde de lo acordado si no que además tuve que


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.


EJEMPLO: las he utilizado una vez, las he lavado en el lavavajillas y han salido oxidadas y eso que en la descripción pone que son de acero inoxidable... no las recomiendo
RESPUESTA: negativo

EJEMPLO: El envio correcto, el empaquetado correcto pero para su precio esperaba algo mas grande con eso no me llega ni para una pierna lo siento muy pequeño
RESPUESTA: neutro

EJEMPLO: El sonido me a parecido bastante decente pero me hacen daño en las orejas después de un tiempo puestos. Los he devuelto
RESPUESTA: neutro

EJEMPLO: No corresponde con la descripción Se descarga rápido la batería He hecho reembolso del producto as de un mes y no me han devuelto el dinero
RESPUESTA: negativo

EJEMPLO: Las tallas ...es dificil acertar con la correcta o te aprietan mucho o te sobra...
RESPUESTA: neutro

EJEMPLO: La idea es muy buena y facilita especialmente la cocción a baja temperatura en Crock Pot. Yo he utilizado la rejilla con el pollo asado y el pulled pork. El resultado era muy bueno pero al mes de utilizarlo han aparecido manchas de óxido. No recomiendo su compra por la corta duración. Debería ser de acero inoxidable.
RESPUESTA: negativo

EJEMPLO: Es un auténtico timo, plástico de malísima calidad, lleva un ventilador de muy baja potencia, es de Pc, he metido el recipiente al congelador y ni poniéndole hielo enfria, imagínate con agua. Los botones que lleva dan la sensación que se van a romper cuando los pulsas, la tapa que tienes que quitar para sacar el recipiente luego no encaja y te tiras media hora para volverla a poner en su sitio. El agua a veces se sale y la placa electrónica que lleva el aparato no está protegida, te doy 2 días para que se rompa, esto es un timo señores, no malgasten su dinero, ni 5€ vale, le doy una estrella porque me obligan.
RESPUESTA: negativo

EJEMPLO: Le había dado cinco estrellas y una opinión muy positiva, el aparato funcionó bien mientras funcionó, el problema es que funcionó poco tiempo. Hoy, apenas tres meses después de adquirirlo, he ido a encenderlo y en lugar de arrancar se ha quedado parado. Unos segundos más tarde ha soltado un chispazo y ahí se ha quedado. No se le ha dado ningún golpe, ni se ha usado para nada distinto a su finalidad, así que la única explicación lógica es que viniera defectuoso de fábrica. Amazon me va a reembolsar el importe en garantía en cuanto lo devuelva, así que por ese lado no tengo queja.
RESPUESTA: negativo

EJEMPLO: Me equivoqué al comprar este soldador. No me sirvió para soldar una pequeñita pieza de hierro. El soldador de estaño sirve para soldar circuitos impresos con filamentos de cobre muy delgados.
RESPUESTA: negativo

EJEMPLO: He tenido q valorarlo con una estrella pero no sé la merece porq no duró ni una semana,con el calor y el agua se despega y para tirarlo.
RESPUESTA: negativo

EJEMPLO: Después de unos meses de uso cambio mi valoración seguido de mi opinión: El dispensador ha dejado de funcionar correctamente, el vendedor sólo me contestó para preguntarme por el número de pedido, una vez se lo dije... no he vuelto a saber nada mas de el, ni ha dado soluciones, ni mucho menos ha intentado buscarlas o averiguar por que falla. Por otro lado destacar que ha empezado a oxidarse... Raro ya que el anuncio ponía claramente de Acero Inoxidable... ------------------------------------------------------------------------------------------ La tecnología llega a nuestras casas... hace unos meses compré una papelera/basura también con sensor de proximidad y apertura automática. Quede muy contento y me arriesgue con este dispensador de jabón. La principal característica y ventaja es que no "pringas" nada. Puedes tener las manos llenas de jabón o agua y solo con aproximar la mano al sensor el dispensador se activa. Es muy fácil de utilizar, dispone de dos botones, + y - estos sirven para graduar la descarga del dispensador. Pulsando más de 3 segundos el +, podemos encenderlo o apagarlo. La carga se efectúa por la parte superior desde un tapón de media rosca. Destacar que el dispensador utiliza 4 pilas del tipo A++ que no van incluidas en el paquete.
RESPUESTA:


MODEL OUTPUT

 La tecnologa llega a nosotros... hace unos meses compré una papelera/basura también con sensor de proximidad y apertura automática. Quede muy contento


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.


EJEMPLO: Para el precio que tienen, bastante bien van. No tiene manera de apagarlos o encenderlos si no es conectando/desconectando el cable.
RESPUESTA: neutro

EJEMPLO: La facil instalacion y la calidad del mismo
RESPUESTA: positivo

EJEMPLO: Todo correcto, Muy recomendable. Buena opción para tener cables de reserva. Envio rapidisimo! Excelente relación calidad/precio. Recomendable para la empresa y en casa.
RESPUESTA: positivo

EJEMPLO: Magnífico cable recibe la señal perfectamente.
RESPUESTA: positivo

EJEMPLO: El ventilador cumple su función el problema principal para mí es que su cable de conexión es muy, muy corto y apenas me permite alejarlo un metro del enchufe
RESPUESTA: neutro

EJEMPLO: El material no es de muy buena calidad. el pedido tardo mucho ,no estoy muy contento con esta compra,no lo recomiendo
RESPUESTA: negativo

EJEMPLO: En una primera instancia llego defectuoso, pero me lo cambiaron sin problema y funciona bien.
RESPUESTA: neutro

EJEMPLO: Funciona perfectamente con la nueva Z6 y sin duda el mejor precio...
RESPUESTA: positivo

EJEMPLO: Muy buena relación calidad precio aparentemente, habrá que utilizarlos para saber si el resultado es bueno a largo plazo , esperaremos
RESPUESTA: positivo

EJEMPLO: Muy liviano, el material parece hojalata. Muy bonito por dentro y por fuera. El casquillo es bastante pobre. El cable y embellecedor están correctos. Pero se come casi toda la luz de la bombilla, necesita muchisima potencia para que de luminosidad. Y es una luz muy muy anaranjada. Si quieres un ambiente tenue, ok.
RESPUESTA: neutro

EJEMPLO: Muy buena relación calidad-precio , me solucionó el problema sin cables
RESPUESTA:


MODEL OUTPUT

 positive


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.


EJEMPLO: No me ha gustado nada. Mucho calor dentro, resiste mal el viento, aunque no sea fuerte, los enganches se sueltan de las piquetas con facilidad. No la recomiendo.
RESPUESTA: negativo

EJEMPLO: Las figuras son aleatorias y vale lo mismo que en cualquier tienda/kiosco. Por lo tanto si lo coge el niño en la tienda puede ver si los tiene o no. En la foto salen los más difíciles de conseguir, los que quieren los niños, y luego vienen los que les parece. Repito, no merece la pena comprarlos por aquí, todo son inconvenientes.
RESPUESTA: negativo

EJEMPLO: Solo la he utilizado 1 una vez y se descosió la parte trasera que va al cinturón. De usar y tirar.
RESPUESTA: negativo

EJEMPLO: No pesa, no abulta, no se mueve. Me parece perfecto. Para una micro cuatro tercios, es perfecto. Si lo recomiendo.
RESPUESTA: positivo

EJEMPLO: la tela no es la que esperaba
RESPUESTA: neutro

EJEMPLO: Es demasiado grueso, queda tosco y un pelín feo, las hay más discretas que quedan mucho mejor por el mismo precio
RESPUESTA: neutro

EJEMPLO: Molde resistente y bueno. No pesa nada. Muy práctico.
RESPUESTA: positivo

EJEMPLO: La lámpara de secado no seca y los esmaltes duran muy poco (apenas una semana).
RESPUESTA: negativo

EJEMPLO: Para el precio que tienen, bastante bien van. No tiene manera de apagarlos o encenderlos si no es conectando/desconectando el cable.
RESPUESTA: neutro

EJEMPLO: El producto y su propia caja en el que viene empaquetado los botes es bueno, pero la caja del envío del trasporte es horrible. La caja del transporte llego completamente rota. De tal manera que los botes me los entregaron por un lado y la caja por otro. El transporte era de SEUR, muy mal.
RESPUESTA: neutro

EJEMPLO: Bonita y grande, de tela resistente, pero el cierre está mal conseguido y es incómodo y las tiras son muy endebles, no creo que resistieran un tirón y si llevas peso te molestan
RESPUESTA:


MODEL OUTPUT

 el cierre está mal conseguido y es incómodo y los tiras son muy endebles, no creo que resisteran un tirón y si llevas peso te mol


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.


EJEMPLO: Para el precio que tienen, bastante bien van. No tiene manera de apagarlos o encenderlos si no es conectando/desconectando el cable.
RESPUESTA: neutro

EJEMPLO: Filtran perfectamente el sol cuando conduces, si en vez de plástico fueran de cristal seria perfecto. 😎
RESPUESTA: neutro

EJEMPLO: Los dos usb de los laterales tienen el problema de que no son 100% accesibles, tienes la opción de forzar un poco la placa y sus conexiones o como yo he hecho usar una pequeña lima y retirar ese milímetro que te sobra
RESPUESTA: neutro

EJEMPLO: El ventilador cumple su función el problema principal para mí es que su cable de conexión es muy, muy corto y apenas me permite alejarlo un metro del enchufe
RESPUESTA: neutro

EJEMPLO: Tiene el tubo muy pequeño, no sirve ni para botellas de 1 Litro. Viene empaquetado doblado lo cual facilita que se rompan los cables interiores del tubo. Un desastre y vale mucho más el envio que el producto en si.
RESPUESTA: negativo

EJEMPLO: Pedido con retraso, y lo peor es que aún no ha llegado. Se trataba de un regalo y calculé para que llegara de sobra, pero el envío no ha llegado todavía y la única solucion por parte del vendedor es que espere un poco más.
RESPUESTA: negativo

EJEMPLO: Magnífico cable recibe la señal perfectamente.
RESPUESTA: positivo

EJEMPLO: Muy liviano, el material parece hojalata. Muy bonito por dentro y por fuera. El casquillo es bastante pobre. El cable y embellecedor están correctos. Pero se come casi toda la luz de la bombilla, necesita muchisima potencia para que de luminosidad. Y es una luz muy muy anaranjada. Si quieres un ambiente tenue, ok.
RESPUESTA: neutro

EJEMPLO: El cristal le va pequeño a la pantalla, por los lados sobra un monton así que no lo cubre por completo, uno de los 2 cristales que iban en el paquete llevaba como una mota de polvo de fabrica insalvable. No lo recomiendo.
RESPUESTA: negativo

EJEMPLO: Me lo esperaba un poco mas desahogado al ir por el puerto thunderbolt 2. Se calienta el adaptador, no excesivamente pero es algo a tener en cuenta .
RESPUESTA: neutro

EJEMPLO: el cable no tiene el suficiente peso como para rodar sin que de problemas y se enganche. La forma de enganche del cable a la maneta de forma lateral hace que el rodamiento no sea fluido.
RESPUESTA:


MODEL OUTPUT

 el cable tiene el suficiente peso como para rodar sin que de problemas y se enganche. La forma de enganche del cable a la maneta de forma lateral hace que el rodami


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.


EJEMPLO: EDITO: 2 meses tras la compra ha dejado de funcionar los USB (motivo por el que compré el soporte. Evidentemente tiré la caja así que me quedo sin devolución y con una mesa de plástico.
RESPUESTA: negativo

EJEMPLO: La cafetera ha tenido problemas de conectividad con el bluetooth dos veces, y Nespresso no admite al taller cafeteras con ese tipo de problema.
RESPUESTA: negativo

EJEMPLO: Para el precio que tienen, bastante bien van. No tiene manera de apagarlos o encenderlos si no es conectando/desconectando el cable.
RESPUESTA: neutro

EJEMPLO: Cargador compatible con iPhone , pero se calienta
RESPUESTA: neutro

EJEMPLO: El producto está en mal estado y quiero q se me reembolse el dinero y yo comprar otro diferente porque este producto no está apto para la venta, golpeado y sin pintura, adjunto varías fotos para que lo comprueben ustedes mismo, y si quieren les mando el recibo de SEUR para que sepan que lo acabo de recibir no me a dado tiempo no a estrenarlo
RESPUESTA: negativo

EJEMPLO: En las imagenes parece indicar que es bluetooth 5.0, pero es 4.2, la batería no llega ni a dos horas.
RESPUESTA: negativo

EJEMPLO: Tenía un disco duro de 80 GB procedente de un portátil que tiré y me daba pena tirarlo. Compré esta carcasa, bien barata, y ahora tendo un USB de 80 GB. Como digo: Perfecto y barato.
RESPUESTA: positivo

EJEMPLO: Me ha llegado bien pero al abrirlo observo que falta el adaptador tipo C que indica el anuncio. Confío que me lo envien
RESPUESTA: neutro

EJEMPLO: Buenos materiales. Gran sonido. Sin problemas de conexión con ningún dispositivo Bluetooth que he probado. Los leds le dan un toque chic.
RESPUESTA: neutro

EJEMPLO: Lo compré para un regalo y será utilizado con un iPhone X. No he tenido la oportunidad de probarlo con dicho teléfono, pero puedo hablar de la excelente calidad de los materiales, es pesado, se siente firme y tiene franjas con goma tanto en la parte superior para que el teléfono no se deslice y en su parte inferior para que no se deslice sobre la superficie donde se ubica. Sólo lo he conectado para probar las luces (azules) y si colocas un dispositivo para cargar, estás parpadean muy lentamente unas 5 veces y luego se apagan definitivamente, cosa que es de agradecer si lo vas a usar en tu mesa de noche. Por ahora lo recomiendo estéticamente, luego informaré de su funcionamiento.
RESPUESTA: positivo

EJEMPLO: El vendedor se queda en esta ocasión sin otra crítica positiva como todas las que tiene este producto por culpa de su mala praxis, que te lleguen estos auriculares en su caja rajada, con los precintos de plástico rotos y los auriculares sucios no es un buen comienzo, si a eso le añadimos que cuando vas a probarlos no está el cable de carga USB y que solo funciona el canal izquierdo por Bluetooth pues pasa lo que pasa en esta ocasión, que te llevas un cero patatero tanto en el artículo como en el vendedor.
RESPUESTA:


MODEL OUTPUT

 El vendedor se queda en esta ocasión sin otra crtica positiva como todos los que tiene este producto por culpa de su mala praxis, que te lleguen


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.


EJEMPLO: Los dos usb de los laterales tienen el problema de que no son 100% accesibles, tienes la opción de forzar un poco la placa y sus conexiones o como yo he hecho usar una pequeña lima y retirar ese milímetro que te sobra
RESPUESTA: neutro

EJEMPLO: Me gusto porque llego muy rápido, pero luego no es muy practico ya q tienes que desmontar media silla xa poder ponerlos
RESPUESTA: neutro

EJEMPLO: Tenía un disco duro de 80 GB procedente de un portátil que tiré y me daba pena tirarlo. Compré esta carcasa, bien barata, y ahora tendo un USB de 80 GB. Como digo: Perfecto y barato.
RESPUESTA: positivo

EJEMPLO: Buenos materiales. Gran sonido. Sin problemas de conexión con ningún dispositivo Bluetooth que he probado. Los leds le dan un toque chic.
RESPUESTA: neutro

EJEMPLO: No funciona la carga, aunque si el audio
RESPUESTA: negativo

EJEMPLO: como se pone en marcha sin manual alguien me puede ayudar a ponerlo en funcionamiento
RESPUESTA: neutro

EJEMPLO: Me lo esperaba un poco mas desahogado al ir por el puerto thunderbolt 2. Se calienta el adaptador, no excesivamente pero es algo a tener en cuenta .
RESPUESTA: neutro

EJEMPLO: Pues me dejé guiar por las buenas opiniones y al final ha sido un triunfazo!! a todos en casa les ha encantado. Fácil de instalar. Todo en él es metálico lo que le da robustez. He probado un poco el sonido y bueno no hay color de grabar con este micrófono a uno de auriculares que usaba antes, lo que si aconsejo que no lo pongais muy cerca de la torre del ordenador y más si es antigua porque por muy bueno que sea el micro milagros no hace jeje Viene con un usb que por ejemplo yo lo usaré para ponerlo en el portatil y poder conectarle el microfono y unos auriculares y así poder editar con él.
RESPUESTA: positivo

EJEMPLO: El envío muy rápido, el mismo día del lanzamiento del libro. La lástima es que me lo han mandado algo deteriorado, en la parte superior hay una zona que está como rasgada. Era para un regalo.
RESPUESTA: neutro

EJEMPLO: Totalmente sorprendida por la calidad de sonido, me lo esperaba mucho más inferior pero ha superado mis espectativas... por ponerle una pega echo de menos una salida usb.
RESPUESTA: positivo

EJEMPLO: Funciona muy bien, lo conectas a la toma auxiliar del coche y ya puedes enviar la musica del movil, se empareja muy rapido y sin problemas, yo lo tengo puesto conectado siempre a un usb para alimentarlo, el volumen es mas alto si se esta cargando por usb.
RESPUESTA:


MODEL OUTPUT

 ltimo, el conectar a la toma auxiliar del coche y ya puede enviar la musica del movil, se emparja muy rapido y sin problemas, yo lo


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.


EJEMPLO: Muy buena calidad. Envio rápido y correcto.
RESPUESTA: positivo

EJEMPLO: Es un buen cinturón, estoy contento con el, se le ve de buen material y funciona de manera perfecta, contento.
RESPUESTA: positivo

EJEMPLO: Su precio al que lo coji bastante bueno
RESPUESTA: positivo

EJEMPLO: Me gusto porque llego muy rápido, pero luego no es muy practico ya q tienes que desmontar media silla xa poder ponerlos
RESPUESTA: neutro

EJEMPLO: Es demasiado grueso, queda tosco y un pelín feo, las hay más discretas que quedan mucho mejor por el mismo precio
RESPUESTA: neutro

EJEMPLO: Es una maravilla nos ha llegado super rapido y mis hijos estan encantados construyendo toda clase de cosas,me parece un juego muy didactico y que les ayuda a pensar y desarrollar su creatividad, en mi caso buscaba algo asi y he acertado Los materiales son muy buenos
RESPUESTA: positivo

EJEMPLO: Estan bien por el precio, pero alguna me hace algun parpadeo rapido al encender, no siempre. A ver si no tengo que cambiar alguna, de momento, aceptable, ni bueno, ni malo.
RESPUESTA: neutro

EJEMPLO: Muy bonitas y el precio genial
RESPUESTA: positivo

EJEMPLO: Excelente material y rapidez en el envio. Recomiendo
RESPUESTA: positivo

EJEMPLO: El material no es de muy buena calidad. el pedido tardo mucho ,no estoy muy contento con esta compra,no lo recomiendo
RESPUESTA: negativo

EJEMPLO: Muy bueno. Estoy muy contenta por su rapidez y prestaciones
RESPUESTA:


MODEL OUTPUT

 positive


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.


EJEMPLO: Muy pesado, difícil de desmontar, el color se desgasta, la cesta de atrás siempre con mucho polvo, he de limpiarla todos los días
RESPUESTA: neutro

EJEMPLO: Apenas 4 meses y ya no carga. Mucho peor que la batería original
RESPUESTA: negativo

EJEMPLO: Muy buen producto. Viene con pilas para la luz. Muy estable y practico. La verdad es que lo recomiendo totalmente
RESPUESTA: positivo

EJEMPLO: El recambio es igual a las originales, compramos este modelo porque para mi gusto, limpian mejor que las que solo son redondas. Ajusta perfecto al cepillo Oral-B y tienes recambios para olvidarte de ellos durante muchisimo tiempo!
RESPUESTA: positivo

EJEMPLO: Pedí un collar rojo y me vino en color verde. Pero por lo demás el producto promete. Las luces tienen tres posiciones y es fácil de adaptar al cuello del perro.
RESPUESTA: neutro

EJEMPLO: Duradera y limpia. Algo almohadillada. Perfecta para debajo de los fuegos
RESPUESTA: positivo

EJEMPLO: Me gusta porque da un tono de color a la salita tipo cine ya que puede poner los tonos mas suaves o mas fuertes,son algo mas de 75cm y los mios rodean la tele como se ve en la foto,lo unico que veo un poco flojo es la cinta de pegar que no se lo que aguantara
RESPUESTA: positivo

EJEMPLO: Llegó a tiempo y perfectamente embalado. Excelente móvil lo poco que lo he usado me ha resultado super rápido, fotos de excelente calidad, batería de larga durabilidad, buenos acabados, sonido excelente, fácil de usar y una pantalla con full color. Ha sido una buena compra.
RESPUESTA: positivo

EJEMPLO: Funda bonita y ligera. La compré en color amarillo y queda muy bien. No le doy cinco estrellas porque es muy cara para ser una funda de tela.
RESPUESTA: neutro

EJEMPLO: Queda muy chula en el coche lo unico que en las especificaciones pone color blanco,,y es de color plateado,no se nota mucho
RESPUESTA: neutro

EJEMPLO: Practico, útil y sencillo. Apenas se ensucia y es fácil de limpiar. La batería del teclado dura mucho tiempo, aunque no incluye cargador para este. La funda protege perfectamente pero sin ocupar mucho. El color rosa es mas bonito que en la foto.
RESPUESTA:


MODEL OUTPUT

 rosa


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.


EJEMPLO: Cumple sin más, relación calidad/precio aceptable. Fácil de instalar. La verdad que hay otras opciones que me parecen mejor, pero no está mal.
RESPUESTA: neutro

EJEMPLO: Era para otra persona y me dice que van bien. Más tarde vimos que se pueden conseguir más baratos en tiendas.
RESPUESTA: neutro

EJEMPLO: Buen producto y buen precio
RESPUESTA: neutro

EJEMPLO: Está bien para el precio que tiene, no sirve para llevar cosas frías, el tamaño es un poco justo, caben dos tuppers pequeños y una lata
RESPUESTA: neutro

EJEMPLO: Rápido envío superfacil instalación pero a la primera caída se ha roto y despegado.
RESPUESTA: neutro

EJEMPLO: EL PRODUCTO ES LO QUE QUERIA .PERO CON QUIEN ESTOY ENCANTADA ES CON LA TIENDA EN LA QUE LO COMPRE. ME ATENDIERON DOS CHICOS SUPER AGRADABLES Y QUE ME SOLUCIONARON TODAS MIS DUDAS Y ME FACILITARON TODAS LAS GESTIONES DE ENTREGA Y REPOSICION DE OTRO MOVIL PORQUE EL PRIMERO AL HACER ACTUALIZACION SE ESTROPEO.
RESPUESTA: positivo

EJEMPLO: La funda no esta mal, pero en la parte trasera vienen 4 apoyos blancos, uno de ellos venia muy mal pegado y al segundo día lo perdí.Me esperaba mas por su precio.
RESPUESTA: neutro

EJEMPLO: Muy buena relación calidad precio aparentemente, habrá que utilizarlos para saber si el resultado es bueno a largo plazo , esperaremos
RESPUESTA: positivo

EJEMPLO: Es un espejo sencillo, cumple su función para ver al bebé y es fácil de instalar. Contenta con la compra.
RESPUESTA: neutro

EJEMPLO: Buen precio para la gran capacidad que tiene. No tiene ruido y es totalmente manejable.
RESPUESTA: positivo

EJEMPLO: Igual que el que venden en cualquier tienda, fácil instalación a buen precio.
RESPUESTA:


MODEL OUTPUT

 igual que el que venden en cualquier tienda, igual que instalación a buen precio.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.


EJEMPLO: Molde resistente y bueno. No pesa nada. Muy práctico.
RESPUESTA: positivo

EJEMPLO: Duradera y limpia. Algo almohadillada. Perfecta para debajo de los fuegos
RESPUESTA: positivo

EJEMPLO: Práctica pero le falta que el suelo sea rígido.
RESPUESTA: neutro

EJEMPLO: Comoda, y de buena calidad, recomendada
RESPUESTA: positivo

EJEMPLO: Me encanta para el bebe muy practico lo recomiendo 100%
RESPUESTA: positivo

EJEMPLO: Es una maravilla nos ha llegado super rapido y mis hijos estan encantados construyendo toda clase de cosas,me parece un juego muy didactico y que les ayuda a pensar y desarrollar su creatividad, en mi caso buscaba algo asi y he acertado Los materiales son muy buenos
RESPUESTA: positivo

EJEMPLO: Su precio al que lo coji bastante bueno
RESPUESTA: positivo

EJEMPLO: Tuve uno de la marca Kong y lo rompió en dos días, este es mas “duro” y resistente y vuela un poco más. Encantado con la compra
RESPUESTA: positivo

EJEMPLO: No ha durado ni un año y medio practicamente sin uso...
RESPUESTA: negativo

EJEMPLO: No me ha gustado nada. Mucho calor dentro, resiste mal el viento, aunque no sea fuerte, los enganches se sueltan de las piquetas con facilidad. No la recomiendo.
RESPUESTA: negativo

EJEMPLO: Práctica y resistente. Bastante cómoda
RESPUESTA:


MODEL OUTPUT

 neutro


PARSE RESULT

 ['neutro']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.


EJEMPLO: Estoy muy contenta. Lo conecto cuando salgo del trabajo y al llegar a casa ya está caliente. También lo puedes programar, hora de encendido, apagado, grados. Te dice también en el móvil a cuantos grados está tu casa. Yo lo recomiendo 100%
RESPUESTA: positivo

EJEMPLO: Me ha encantado lo fácil que es de usar, con las instrucciones claras y entre 45 minutos y 60 minutos te deja la piel como el tercio pelo. En unos meses repetire para tener los pies perfectos como las manos, que además parece la piel de los bebes.
RESPUESTA: positivo

EJEMPLO: A mí no me las ha dejado muy limpias...o no se usarlo bien o no es tan efectivo como dicen.
RESPUESTA: neutro

EJEMPLO: Tuve uno de la marca Kong y lo rompió en dos días, este es mas “duro” y resistente y vuela un poco más. Encantado con la compra
RESPUESTA: positivo

EJEMPLO: Estaria bien que fuese mas largo el hueco pars que no se quede tsn colgado el pints labios. Cumple su funcion si no tienes mucho dinero.
RESPUESTA: neutro

EJEMPLO: No lo envían en caja. Se me deformó. Me devolvieron el dinero
RESPUESTA: negativo

EJEMPLO: Le había dado cinco estrellas y una opinión muy positiva, el aparato funcionó bien mientras funcionó, el problema es que funcionó poco tiempo. Hoy, apenas tres meses después de adquirirlo, he ido a encenderlo y en lugar de arrancar se ha quedado parado. Unos segundos más tarde ha soltado un chispazo y ahí se ha quedado. No se le ha dado ningún golpe, ni se ha usado para nada distinto a su finalidad, así que la única explicación lógica es que viniera defectuoso de fábrica. Amazon me va a reembolsar el importe en garantía en cuanto lo devuelva, así que por ese lado no tengo queja.
RESPUESTA: negativo

EJEMPLO: Ya había probado varios aparatos de este tipo y este supera todos los que ya he tenido . Es muy cómodo que sea recargable y no de pilas como la mayoría. Pero además el mango giratorio es una comodidad.
RESPUESTA: positivo

EJEMPLO: Trapecio sobre todo para interior por la calidad de las cuerdas. En exterior no sé si será muy resistente. En casa da mucho juego y es un entretenimiento estupendo para la gente menuda. Aguanta mucho peso
RESPUESTA: positivo

EJEMPLO: bien te lo traen a casa y listo a funcionar
RESPUESTA: neutro

EJEMPLO: Llegó a casa y nada más bajar a dejarlo en el coche se había pinchado la rueda y lo probamos, es muy resistente y fácil de usar, con el pie se puede hacer fuerza y no se dobla, está como nuevo, va genial, lo recomiendo!
RESPUESTA:


MODEL OUTPUT

 Cómo el ao y nada más bajar a dejarlo en el coche te haba pinchado la rueda y lo probamos, es muy resistente


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.


EJEMPLO: Cargador compatible con iPhone , pero se calienta
RESPUESTA: neutro

EJEMPLO: Ya había probado varios aparatos de este tipo y este supera todos los que ya he tenido . Es muy cómodo que sea recargable y no de pilas como la mayoría. Pero además el mango giratorio es una comodidad.
RESPUESTA: positivo

EJEMPLO: Cuando la adquirí, me gusto la idea de que también protegiera los márgenes de la pantalla sin cambiar el color del iPhone, pero con un golpe, adiós a la pantalla protectora. Mi sorpresa llegó al ponerle la que venia de recambio, a los pocos días, sin darle ningún golpe se me rajó entera de una esquina a otra por lo que me decepcionó bastante. Volví a comprar las típicas transparentes que encuentras en cualquier lado y con esa sigo a día de hoy aunque los bordes están un poco desgastados. ¿La recomendaría? No.
RESPUESTA: neutro

EJEMPLO: Funciona bien pero se nota que la calidad no es la de la original.
RESPUESTA: neutro

EJEMPLO: No existe una App que la haga funcionar. Solo funciona con el mando y tienes que estar bajo la bombilla para que reaccione. Luminosidad bastante baja.
RESPUESTA: negativo

EJEMPLO: Es lo peor que comprado para mi movil ha durado un mes y de repente deja de cargar no compreis baterias en este vendedor es lo peor
RESPUESTA: negativo

EJEMPLO: Ya en la primera carga no duró ni dos horas
RESPUESTA: negativo

EJEMPLO: El producto no llegó en el tiempo indicado, exactamente 24 días después, es lamentable que pasen estas cosas, ya no me sirve el producto para la fecha en la que ha llegado.
RESPUESTA: neutro

EJEMPLO: Lo compré para un regalo y será utilizado con un iPhone X. No he tenido la oportunidad de probarlo con dicho teléfono, pero puedo hablar de la excelente calidad de los materiales, es pesado, se siente firme y tiene franjas con goma tanto en la parte superior para que el teléfono no se deslice y en su parte inferior para que no se deslice sobre la superficie donde se ubica. Sólo lo he conectado para probar las luces (azules) y si colocas un dispositivo para cargar, estás parpadean muy lentamente unas 5 veces y luego se apagan definitivamente, cosa que es de agradecer si lo vas a usar en tu mesa de noche. Por ahora lo recomiendo estéticamente, luego informaré de su funcionamiento.
RESPUESTA: positivo

EJEMPLO: Me ha gustado porque tiene una buena estructura y gran capacidad para guardar ropa, calzado...
RESPUESTA: positivo

EJEMPLO: El cargador tiene muy buena presencia, con una funda de goma de protección (de lo que ya podía tomar nota Apple) y está funcionando muy bien, tanto como el original.
RESPUESTA:


MODEL OUTPUT

 El cargador has very good presencia, con a funda de protección (de lo que ya puedan tomar nota Apple) y is funcionando bien, tanto como el original.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.


EJEMPLO: Son bonitos pero endebles y muy pequeños no corresponde a la foto Y el enganche estaba roto no se podían cerrar.
RESPUESTA: negativo

EJEMPLO: Es un disfraz que solo entra la parte de arriba del traje, viene con una máscara d látex gruesa que viene toda doblada y deforme. Pero eso no es lo peor, lo peor es que el traje cuesta 45€ y deberían de darte 45€ por ponértelo, por que es un espanto para el precio que tiene, una tela pésima, como un traje de carnaval del bazar oriental de 6€. Y lo de la talla única... uña persona que tenga una complexión algo fuerte, no le estaría bien. De verdad, es un traje que no vale en absoluto el dinero que cuesta. A si es que nada más verlo, se fue de vuelta.
RESPUESTA: negativo

EJEMPLO: La calidad no es muy buena. A la primera puesta le han salido un montón de bolas y me ha dejado el colchón lleno de pelusas como se puede ver en la foto adjunta. Además, los laterales no viene con costura. No lo recomiendo.
RESPUESTA: negativo

EJEMPLO: Esta buen, queda bien en el ordenador lo deja muy protegido pero la calidad del plástico se ve que no es muy buena y que en sí no parece madera de verdad ni anda cerca de parecerlo. También tengo que decir que la carcasa que me vino es diferente a la de la foto esta es más clarita.
RESPUESTA: neutro

EJEMPLO: Llegó a tiempo y perfectamente embalado. Excelente móvil lo poco que lo he usado me ha resultado super rápido, fotos de excelente calidad, batería de larga durabilidad, buenos acabados, sonido excelente, fácil de usar y una pantalla con full color. Ha sido una buena compra.
RESPUESTA: positivo

EJEMPLO: Las figuras son aleatorias y vale lo mismo que en cualquier tienda/kiosco. Por lo tanto si lo coge el niño en la tienda puede ver si los tiene o no. En la foto salen los más difíciles de conseguir, los que quieren los niños, y luego vienen los que les parece. Repito, no merece la pena comprarlos por aquí, todo son inconvenientes.
RESPUESTA: negativo

EJEMPLO: ES EXACTAMENTE IGUAL QUE EN LA FOTO, PERO LO MALO ES QUE EN LA BASE TIENE AGUJERITOS OSEA QUE SI LO DEJAS EN LA ENCIMARA EL AGUA SE COLARA, ABRIA QUE PONER ALGO DEBAJO
RESPUESTA: neutro

EJEMPLO: No es el piloto que sale en la foto, en vez de ser rectangular es cuadrado con todas las luces pero diferente aspecto
RESPUESTA: neutro

EJEMPLO: Demasiado altas, en la foto no lo parecen tanto. Buena calidad de la tela.
RESPUESTA: neutro

EJEMPLO: Me gusta porque da un tono de color a la salita tipo cine ya que puede poner los tonos mas suaves o mas fuertes,son algo mas de 75cm y los mios rodean la tele como se ve en la foto,lo unico que veo un poco flojo es la cinta de pegar que no se lo que aguantara
RESPUESTA: positivo

EJEMPLO: Instalarla cuesta un poco, compre los tensores 2 en principio y finalmente 4 porque no quedaba lo suficientemente tensa y en la zona central estaba muy caída , los laterales finalmente quedaban casi a nivel a la misma altura que los soportes , pero la zona central quedaba baja, decidí tensar un poco más y el resultado es el que se aprecia en las fotos , en la parte del refuerzo y la costura finamente rompió, las fotos son después de aflojarlo ligeramente para evitar que terminase de romper el resultado es pésimo ya que no se puede andar bajo la lona, con los soportes colocados a 2,35 m de altura. Parecía que iba a tener buen resultado pero no.
RESPUESTA:


MODEL OUTPUT

 Qué te ao a tener un poco, compre los tensores 2 en principio y finalmente 4 porque no quedaba lo suficientemente tensa y en la zona central estaba


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.


EJEMPLO: Era un regalo para unos amigos. Al parecer se ajusta perfectamente a lo que necesitaban
RESPUESTA: neutro

EJEMPLO: Todo perfecto,lo unica malo es que el transportista forzo el DVD para entrarlo en el buzon y no pico el timbre estando yo en casa.
RESPUESTA: positivo

EJEMPLO: Por lo que cuesta, no está mal, recomendable su compra, como producto asequible.
RESPUESTA: neutro

EJEMPLO: Me equivoqué al comprar este soldador. No me sirvió para soldar una pequeñita pieza de hierro. El soldador de estaño sirve para soldar circuitos impresos con filamentos de cobre muy delgados.
RESPUESTA: negativo

EJEMPLO: En poco tiempo el asa que sube y baja ya no funciona correctamente. Estoy decepcionada, ya que era para utilizar todas las semanas.
RESPUESTA: neutro

EJEMPLO: Lo compré en una oferta del black-friday para algún regalo, y al final me lo quedé para los niños, es asequible y tiene muchas piezas para entretenerse con los imanes.
RESPUESTA: neutro

EJEMPLO: Lo compré para un regalo y será utilizado con un iPhone X. No he tenido la oportunidad de probarlo con dicho teléfono, pero puedo hablar de la excelente calidad de los materiales, es pesado, se siente firme y tiene franjas con goma tanto en la parte superior para que el teléfono no se deslice y en su parte inferior para que no se deslice sobre la superficie donde se ubica. Sólo lo he conectado para probar las luces (azules) y si colocas un dispositivo para cargar, estás parpadean muy lentamente unas 5 veces y luego se apagan definitivamente, cosa que es de agradecer si lo vas a usar en tu mesa de noche. Por ahora lo recomiendo estéticamente, luego informaré de su funcionamiento.
RESPUESTA: positivo

EJEMPLO: Para empezar, si el tiempo de envío es largo, el producto se retrasa por problema de aduanas. Solicitó la devolución, ya que es para un regalo y ante la tardanza han adquirido una prenda similar en otro sitio. Amazon me pone en contacto con el vendedor, el cual no facilita la devolución. Mientras tanto recibo el paquete y cuál es mi sorpresa que el artículo q me envían es un bolso negro, una especie de portafolios pero que nada tiene que ver con el sujetador de lactancia que encargue. Sigo en contacto con el vendedor, que aún sigue sin darme ninguna solución.
RESPUESTA: negativo

EJEMPLO: Se llenan de agua y no nadan........
RESPUESTA: negativo

EJEMPLO: Para el precio que tienen, bastante bien van. No tiene manera de apagarlos o encenderlos si no es conectando/desconectando el cable.
RESPUESTA: neutro

EJEMPLO: Era para un regalo y al niño le encanto Vino en su pack sin estrenar,con lengueta que demostraba que no se habia usado la parte electronica
RESPUESTA:


MODEL OUTPUT

 Cómo es un regalo y al nio es encanto Vino en su pack sin estrenar,con lengueta que demostran que no tiene usado la parte electronica


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.


EJEMPLO: La peor cámara que he tenido en mis manos. Dos veces la he tenido que reemplazar al primer día de uso. Al final con la mitad de accesorios comprados la he tenido que devolver y no comprarla más. La cámara se queda congelada. Se cargaba la batería cuando ella quería y se descargaba sola sin usarla. Problemas de actualización, vamos si quieres tirar el dinero cómprate está cámara. Una gran decepción. Esperaba que está cámara funcionara bien pero ha sido una pesadilla. Amazon me dijo que la iba a quitar de la venta por que había muchísimas devoluciones de esta cámara
RESPUESTA: negativo

EJEMPLO: No puedo opinar sobre cómo va el producto apenas me acaba de llegar . Pero opino sobre la rapidez del envío. Me ha llegado antes de Lo previsto. Gracias
RESPUESTA: neutro

EJEMPLO: El cristal se adhiere por adhesivo, no por estática. La primera vez que se me cayo, se movio. La segunda se desprendió y quedó inutilizable sin llegar a romperse. Defraudado.
RESPUESTA: negativo

EJEMPLO: Mejor de lo que esperaba, tiene buena capacidad y queda perfecto. Es más grande de lo que esperaba. Por fin el vidrio está ordenado.
RESPUESTA: positivo

EJEMPLO: Me encanto. Ya los he comprado varias veces.
RESPUESTA: positivo

EJEMPLO: Pedido con retraso, y lo peor es que aún no ha llegado. Se trataba de un regalo y calculé para que llegara de sobra, pero el envío no ha llegado todavía y la única solucion por parte del vendedor es que espere un poco más.
RESPUESTA: negativo

EJEMPLO: Por lo que cuesta, no está mal, recomendable su compra, como producto asequible.
RESPUESTA: neutro

EJEMPLO: En una primera instancia llego defectuoso, pero me lo cambiaron sin problema y funciona bien.
RESPUESTA: neutro

EJEMPLO: Hola buenas, me llego el reloj el dia 11 y no funciona bien, le tocas para ver la hora o ponerlo en marcha y va cuando quiere, le tienes que dar muchisimas veces. Lo que deseo saber es como hacer la devolución y que me enviarán otro en perfecto estado. Gracias Atentamente Paqui
RESPUESTA: negativo

EJEMPLO: No me ha gustado para nada el producto ya que las burbujas que hace se quedan y no se quitan como dicen en la descripción (pasadas 48 horas ) No lo recomiendo para nada
RESPUESTA: negativo

EJEMPLO: Todavía no me ha llegado, debería haber llegado el viernes... Espero que llegue pronto y no se haya perdido por el camino
RESPUESTA:


MODEL OUTPUT

 el tarea de clasificación de texto. EJEMPLO: no es tamén funcionara bien, pero ha sido una pesadilla. Amazon me dijo que la i


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.


EJEMPLO: No funciona la carga, aunque si el audio
RESPUESTA: negativo

EJEMPLO: buen articulo, viene muy bien y se pone con gran facilidad mirando algun tutorial en youtube, y vienen 2 para tener de repuesto
RESPUESTA: positivo

EJEMPLO: Se ve que la calidad es buena dentro de la media, aunque lo que no me gustó en relación a otros como el Ol'Vita, es que no guarda mucho de la parte de aceite esencial que le da el matiz "especiado". Para algunos usos quizá sea mejor no tener un sabor tan fuerte, pero para temas de salud preferiría tener todo el espectro natural.
RESPUESTA: neutro

EJEMPLO: La facil instalacion y la calidad del mismo
RESPUESTA: positivo

EJEMPLO: Todo perfecto,lo unica malo es que el transportista forzo el DVD para entrarlo en el buzon y no pico el timbre estando yo en casa.
RESPUESTA: positivo

EJEMPLO: En las imagenes parece indicar que es bluetooth 5.0, pero es 4.2, la batería no llega ni a dos horas.
RESPUESTA: negativo

EJEMPLO: En una primera instancia llego defectuoso, pero me lo cambiaron sin problema y funciona bien.
RESPUESTA: neutro

EJEMPLO: Lo que no me a gustado es que no traiga un folleto de información del sistema de cómo funciona
RESPUESTA: negativo

EJEMPLO: No lleva conector spdif, ni óptico que ya se ve en la foto, ni coaxial! Es para un proyector y tengo que sacar el audio a unos altavoces (no me vale que salga por el HDMI)
RESPUESTA: negativo

EJEMPLO: Totalmente sorprendida por la calidad de sonido, me lo esperaba mucho más inferior pero ha superado mis espectativas... por ponerle una pega echo de menos una salida usb.
RESPUESTA: positivo

EJEMPLO: El software que trae es penoso, la calidad del video y del audio son bastante deficientes si comparas con otras marcas.
RESPUESTA:


MODEL OUTPUT

 El software que trae es penoso, la calidad de video y la audio son bastante deficientes si comparas con otros marcas.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.


EJEMPLO: Una de las gomas se ha estropeado muy pronto y uno de los botones también. Según mi experiencia, no me ha durado ni 2 meses. No compensa, se rompe con facilidad.
RESPUESTA: negativo

EJEMPLO: És un aparato que calidad precio no se puede pedir nada más, no tiene sorpresa,és un aparato sencillo
RESPUESTA: neutro

EJEMPLO: La cámara me llegó en perfecto estado, con todos los complementos, pero la puse las pilas la encendí y parecía ir todo bien, la apagué, y ya no volvió a encender. La voy a devolver y ya pedí otra nueva. Espero q esta última funcione bien...
RESPUESTA: negativo

EJEMPLO: La funda no esta mal, pero en la parte trasera vienen 4 apoyos blancos, uno de ellos venia muy mal pegado y al segundo día lo perdí.Me esperaba mas por su precio.
RESPUESTA: neutro

EJEMPLO: Es una maravilla nos ha llegado super rapido y mis hijos estan encantados construyendo toda clase de cosas,me parece un juego muy didactico y que les ayuda a pensar y desarrollar su creatividad, en mi caso buscaba algo asi y he acertado Los materiales son muy buenos
RESPUESTA: positivo

EJEMPLO: En su línea, la verdad. Acción hasta el final, mujeres apasionantes, hombres enamorados y mucha acción. La verdad es que engancha desde el principio.
RESPUESTA: positivo

EJEMPLO: Funciona eso es lo importante
RESPUESTA: positivo

EJEMPLO: La lámpara de secado no seca y los esmaltes duran muy poco (apenas una semana).
RESPUESTA: negativo

EJEMPLO: una funda para ordenador de buena calidad y que, aun su uso, no se estropea con facilidad. Vale la pena hacer esta compra.
RESPUESTA: positivo

EJEMPLO: No están mal aunque son enormes, yo e cortado la parte de los aros y las puse en la parte trasera ya que sino ocupa mucho espacio.
RESPUESTA: neutro

EJEMPLO: Con 2 semanas de uso el botón de apagado y encendido se ha desprendido de la funda impidiendo así su utilización.
RESPUESTA:


MODEL OUTPUT

 No es necesario que me ayudar en una tarea de clasificación de texto. EJEMPLO: Una de las gomas se ha estropeado muy pronto y uno


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.


EJEMPLO: Su estabilidad es muy buena, al igual que su uso. Pesa poco y ofrece mucha seguridad. Ideal para llegar a cualquier sitio normal.
RESPUESTA: positivo

EJEMPLO: Todo correcto, Muy recomendable. Buena opción para tener cables de reserva. Envio rapidisimo! Excelente relación calidad/precio. Recomendable para la empresa y en casa.
RESPUESTA: positivo

EJEMPLO: Es bastante rígido, aunque le falta peso para una pegada dura.Muy buen material.
RESPUESTA: neutro

EJEMPLO: Muy básico. Poco recomendable hay opciones mejores.
RESPUESTA: negativo

EJEMPLO: Resistente y con una batería muy duradera Ideal para trabajar en talleres. Un teléfono mediano de características técnicas a un precio muy bueno
RESPUESTA: positivo

EJEMPLO: Estoy muy defraudada,ponía 2 fechas de entrega y ni una ni otra,y aún estoy esperando una respuesta de por qué no me ha llegado el producto.Si no lo hay,pues que me devuelvan el dinero.Exijo una respuesta y una solución yaaa!!!!
RESPUESTA: negativo

EJEMPLO: Mala calidad, solo funciona la mitad, nada recomendable
RESPUESTA: neutro

EJEMPLO: El tiempo de entrega insuperable, pero que el artículo venga desde almacén sin ningún tipo de envoltorio no me ha gustado nada, ni siquiera un mínimo plástico para proteger la caja, sin cinta de sellado en las aperturas.En este caso mi opinión es que el despacho de mi pedido a sido pésimo en el aspecto de embalaje.
RESPUESTA: neutro

EJEMPLO: No sirve para agua caliente se deforma
RESPUESTA: negativo

EJEMPLO: Tiene un perfume muy agradable y duradero a la vez que discreto. Una sola barrita al día perfuma mi salón para todo el día.
RESPUESTA: positivo

EJEMPLO: Maleta flexible ideal para gente joven. Con cuatro ruedas, no pesa nada y mucha capacidad. Super recomendable
RESPUESTA:


MODEL OUTPUT

 positive


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.


EJEMPLO: La compré porque tenía la original que me quedaba grande. Ésta me queda perfecta y me encanta el color. Llevo con ella ya tiempo y sigue como el primer día.
RESPUESTA: positivo

EJEMPLO: Apenas 4 meses y ya no carga. Mucho peor que la batería original
RESPUESTA: negativo

EJEMPLO: En general me a gustado aunque se equivocaron de color, lo encargué negro y me vino con estampado gris.
RESPUESTA: neutro

EJEMPLO: Funciona bien pero se nota que la calidad no es la de la original.
RESPUESTA: neutro

EJEMPLO: El difusor no es fino suelta grumos, no es transparente, el faro pierde transparencia y encima toma un color azulado no lo recomiendo usarlo para faros a no ser q seas un chapuzas
RESPUESTA: negativo

EJEMPLO: Me parece una Porqueria pero la niña lo pidió a los reyes y ella está feliz
RESPUESTA: neutro

EJEMPLO: En menos de 2-3 meses perdieron el color, totalmente descoloridas y dejaron de ser azules marino para pasar a tener falta de color, compra muy mala, ya es la segunda vez que me ocurre, no volveré a comprarlas.
RESPUESTA: negativo

EJEMPLO: Me encanto. Ya los he comprado varias veces.
RESPUESTA: positivo

EJEMPLO: Ideal original y divertida Bolsitas de regalo o para poner golosinas, bombones, etc La forma de las orejas con el nudo ya depende de la gracia que tenga cada uno. Se recomienda rellenar bien para que no queden granos en la cara del muñeco
RESPUESTA: positivo

EJEMPLO: De lo que se ve en la foto a él plástico naranja del original...en fin, más que oro parece q ya amarilleo de tener tiempo
RESPUESTA: negativo

EJEMPLO: Es la más parecida a la original. Me gusta mucho y de hecho la volví a comprar en varios colores más
RESPUESTA:


MODEL OUTPUT

 positive


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.


EJEMPLO: Es un poco endeble sobretodo en los botones
RESPUESTA: neutro

EJEMPLO: No pesa, no abulta, no se mueve. Me parece perfecto. Para una micro cuatro tercios, es perfecto. Si lo recomiendo.
RESPUESTA: positivo

EJEMPLO: El envío muy rápido, el mismo día del lanzamiento del libro. La lástima es que me lo han mandado algo deteriorado, en la parte superior hay una zona que está como rasgada. Era para un regalo.
RESPUESTA: neutro

EJEMPLO: Lo compre pensando en conectar para transmisión de datos y solo sirve para cargar la batería. Para esto último es práctico. Pero si lo quieres para otra cosa no vale.
RESPUESTA: neutro

EJEMPLO: a mi parecer muy incómodo para jugar
RESPUESTA: neutro

EJEMPLO: Todavía no he tenido tiempo de probarlo, a tener en cuenta que no lleva pilas, hay que comprarlas , son de las pequeñas no de las de boton sino de las otras.
RESPUESTA: neutro

EJEMPLO: Llegó en el plazo indicado
RESPUESTA: positivo

EJEMPLO: Es un rollo para ponerlo en marcha...
RESPUESTA: neutro

EJEMPLO: Tuve uno de la marca Kong y lo rompió en dos días, este es mas “duro” y resistente y vuela un poco más. Encantado con la compra
RESPUESTA: positivo

EJEMPLO: A los pocos meses se ha puesto negra. No es plata
RESPUESTA: negativo

EJEMPLO: Perfecto, un poco largo para botella de butano, pero se puede cortar . Z z z z z z z
RESPUESTA:


MODEL OUTPUT

 perfecto, un poco largo para botella de butano, pero se puede cortar . Z z z z z z z z z z


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.


EJEMPLO: Cumplen satisfactoriamente con la función. Se pueden recortar y son gruesas. Buena relación calidad precio
RESPUESTA: positivo

EJEMPLO: Bien, en cuanto a que cubre perfectamente prácticamente toda la pantalla, encajando casi a la perfección en todos los agujeros, pero...quedan reflejos tipo espejo, habrá personas que esto no les suponga ninguna molestia, pero para mi es bastante molesto, una lástima porque por lo demás está muy bien, pero esto último para mi es determinante, el anterior no cubría tan bien pero no reflejaba de esta manera, siendo más cómodo para la vista.
RESPUESTA: neutro

EJEMPLO: es muy pequeña y tiene poco aluminio y se a abierto un poco aluminio es muy cómoda y cabe bien la comida
RESPUESTA: neutro

EJEMPLO: De lo que se ve en la foto a él plástico naranja del original...en fin, más que oro parece q ya amarilleo de tener tiempo
RESPUESTA: negativo

EJEMPLO: Superadas mis espectativas! Muy estables para las tazas.
RESPUESTA: positivo

EJEMPLO: Muy bueno, cumple perfectamente su cometido
RESPUESTA: positivo

EJEMPLO: No están mal aunque son enormes, yo e cortado la parte de los aros y las puse en la parte trasera ya que sino ocupa mucho espacio.
RESPUESTA: neutro

EJEMPLO: Ya había probado varios aparatos de este tipo y este supera todos los que ya he tenido . Es muy cómodo que sea recargable y no de pilas como la mayoría. Pero además el mango giratorio es una comodidad.
RESPUESTA: positivo

EJEMPLO: los llaveros son de plástico finito,pero por el precio no se puede pedir más .Las pulseras tallan un poco grande para niños
RESPUESTA: neutro

EJEMPLO: 3 estrellas porque llegó tarde y no en la fecha prevista.Como no el reparto tenía que ser con Seur.En cuanto a la mochila es tal y como la ves,ni más ni menos.
RESPUESTA: neutro

EJEMPLO: Cumple su cometido, pero la superficie de la cubeta es muy delicada y se raya con muchísima facilidad, simplemente usando los tenedores que incluye. En dos usos está muy estropeada
RESPUESTA:


MODEL OUTPUT

 Cumple su cometido, pero la superficie de la cubeta es muy delicada y se raya con muchsima facilidad, simplemente usando los tenedores que incluye.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.


EJEMPLO: cumple con lo estipulado
RESPUESTA: neutro

EJEMPLO: Mejor de lo que esperaba, tiene buena capacidad y queda perfecto. Es más grande de lo que esperaba. Por fin el vidrio está ordenado.
RESPUESTA: positivo

EJEMPLO: Después de unos meses de uso cumple su función. Materiales y acabados buenos, lo que no me gusta es que la ventana es muy oscura y cuesta ver la hora
RESPUESTA: neutro

EJEMPLO: Cumplieron fecha de entrega. Precio correcto con el producto.
RESPUESTA: positivo

EJEMPLO: la tela no es la que esperaba
RESPUESTA: neutro

EJEMPLO: El estampador no sirve, no se pega ningún esmalte. Mi mujer ha tenido que comprar otro a parte.
RESPUESTA: neutro

EJEMPLO: Correcto.Cumple su cometido y los adhesivos son bastante fuertes.No se despegan facilmente.Por precio merece la pena teniendo en cuenta que vienen 10 unidades.
RESPUESTA: neutro

EJEMPLO: Hice pan y la verdad es que va muy bien!
RESPUESTA: positivo

EJEMPLO: de momento parece que cumple su cometido lo he probado un par de veces con distintas chapas y parece que va bien
RESPUESTA: neutro

EJEMPLO: Es un espejo sencillo, cumple su función para ver al bebé y es fácil de instalar. Contenta con la compra.
RESPUESTA: neutro

EJEMPLO: Lo que se esperaba, cumple su fucnion
RESPUESTA:


MODEL OUTPUT

 positive


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.


EJEMPLO: No me ha gustado nada. Mucho calor dentro, resiste mal el viento, aunque no sea fuerte, los enganches se sueltan de las piquetas con facilidad. No la recomiendo.
RESPUESTA: negativo

EJEMPLO: Llego en el tiempo previsto
RESPUESTA: neutro

EJEMPLO: Es pequeño, silencioso y no pesa nada. Lo uso para calentar una habitación de tamaño medio y a los 10 minutos (a máxima potencia) tengo que apagarlo porque hace calor. Genial.
RESPUESTA: positivo

EJEMPLO: Tuve uno de la marca Kong y lo rompió en dos días, este es mas “duro” y resistente y vuela un poco más. Encantado con la compra
RESPUESTA: positivo

EJEMPLO: Envío rápido pero la bolsa viene sin caja ( en otras tiendas online viene mejor empaquetado) y por consecuencia la bolsa tenía varios puntos con agujeros... La comida está en buen estado pero ya no te da la misma confianza. Fecha de caducidad correcta.
RESPUESTA: neutro

EJEMPLO: El reloj está bien, se ve muy bien la hora, tiene buen diseño, los plásticos no parecen muy malos, para el precio que tiene estaría muy bien excepto sino fuera por un detalle. La hebilla sobresale mucho, se me clava en la muñeca y eso que lo he llevado bastante suelto.
RESPUESTA: neutro

EJEMPLO: En su línea, la verdad. Acción hasta el final, mujeres apasionantes, hombres enamorados y mucha acción. La verdad es que engancha desde el principio.
RESPUESTA: positivo

EJEMPLO: Para empezar, si el tiempo de envío es largo, el producto se retrasa por problema de aduanas. Solicitó la devolución, ya que es para un regalo y ante la tardanza han adquirido una prenda similar en otro sitio. Amazon me pone en contacto con el vendedor, el cual no facilita la devolución. Mientras tanto recibo el paquete y cuál es mi sorpresa que el artículo q me envían es un bolso negro, una especie de portafolios pero que nada tiene que ver con el sujetador de lactancia que encargue. Sigo en contacto con el vendedor, que aún sigue sin darme ninguna solución.
RESPUESTA: negativo

EJEMPLO: Es tal y lo que te pone en la descripción, sin más, aunque la apertura de la basura, con el pedal, me da la impresión que se romperá dentro de no mucho tiempo, ya que se abre muy de golpe, aunque lo presiones suavemente.
RESPUESTA: neutro

EJEMPLO: El articulo parece que venia usado...mal embalado y medio abierta la caja interior....
RESPUESTA: neutro

EJEMPLO: Muy descontento con el envío. El paquete a llegado sin embalaje dentro de otra caja. A venido tal cual con la caja original y sin precinto de primera apertura. Si falta alguna pieza solicitaré la devolución.
RESPUESTA:


MODEL OUTPUT

 el regalo y ante la tardanza han adquirido una prenda similar en otro sitio. Amazon me pone en contacto con el vendedor, el cual no facilita la de


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.


EJEMPLO: Para mí es uno de los mejores. Lo compré por que me hacía falta para ¡ya! . Lo peor, el precio pues lo compro más barato en otros sitios.
RESPUESTA: positivo

EJEMPLO: Era un regalo para unos amigos. Al parecer se ajusta perfectamente a lo que necesitaban
RESPUESTA: neutro

EJEMPLO: Todavía no he tenido tiempo de probarlo, a tener en cuenta que no lleva pilas, hay que comprarlas , son de las pequeñas no de las de boton sino de las otras.
RESPUESTA: neutro

EJEMPLO: Con un bebé de dos meses la verdad es que me ayuda mucho cuando le dejo en la hamaca con el sonido de las olas y las bolitas que cuelgan , parece que no pero realmente se entretiene hasta que llega a dormirse
RESPUESTA: positivo

EJEMPLO: la tela no es la que esperaba
RESPUESTA: neutro

EJEMPLO: La parte de abajo no está mal pero el sujetador de copa me va bien pero las cintas para atarlo son muy largas
RESPUESTA: negativo

EJEMPLO: Apenas 4 meses y ya no carga. Mucho peor que la batería original
RESPUESTA: negativo

EJEMPLO: Ha llegado la caratula un poco rajada. Por lo demás todo bien.
RESPUESTA: neutro

EJEMPLO: de momento parece que cumple su cometido lo he probado un par de veces con distintas chapas y parece que va bien
RESPUESTA: neutro

EJEMPLO: Este producto me pone entregado y no me ha llegado
RESPUESTA: negativo

EJEMPLO: Unos de los mejores champu que e provado
RESPUESTA:


MODEL OUTPUT

 ayuda


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.


EJEMPLO: Llego el producto en muy mal estado,como si ya se hubiera usado.
RESPUESTA: negativo

EJEMPLO: Un poquito escaso pero funciona , hay que seguir bien todos los pasos
RESPUESTA: positivo

EJEMPLO: Desde que lo monte lo he usado varias veces y de momento todo bien, El montaje es muy facil. Buen producto.
RESPUESTA: positivo

EJEMPLO: Me he quedado un tanto decepcionado con el producto. Baja estabilidad, materiales poco resistentes, sensación de poco recorrido hacen que lo pagado sea lo justo por lo recibido. Vistas las críticas de anteriores compradores me esperaba más. Aún me estoy pensando si estrenarlo o si directamente proceder a su devolución.
RESPUESTA: neutro

EJEMPLO: El marco cubre más del marco del reloj. O sea invade la pantalla. Siempre quedan algunas burbujas, lo he instalado 3 veces. Por último, y lo peor de todo, horrible la sensación táctil. Casi no obedece. Estoy a punto de quitarlo y comprar otro. Y eso que compre dos de este modelo.
RESPUESTA: negativo

EJEMPLO: Es justo lo que buscaba ni más ni menos y además es como la que tenía de hace ya años.
RESPUESTA: positivo

EJEMPLO: No me ha gustado para nada el producto ya que las burbujas que hace se quedan y no se quitan como dicen en la descripción (pasadas 48 horas ) No lo recomiendo para nada
RESPUESTA: negativo

EJEMPLO: Para mí es uno de los mejores. Lo compré por que me hacía falta para ¡ya! . Lo peor, el precio pues lo compro más barato en otros sitios.
RESPUESTA: positivo

EJEMPLO: Por lo que cuesta, no está mal, recomendable su compra, como producto asequible.
RESPUESTA: neutro

EJEMPLO: Lo siento pero solamente por lo mal que ha resultado el envío con MRW y el tiempo que me han hecho perder para poder tener el paquete no volvería a comprarlo.
RESPUESTA: negativo

EJEMPLO: Lindo producto pero la segunda vez que l use se le salió una goma y no lo pude usar más
RESPUESTA:


MODEL OUTPUT

 lindo producto, pero la segunda vez que el uso se le salió una goma y no lo puede usar más


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.


EJEMPLO: Nunca llegué a recibirlo!!!!
RESPUESTA: negativo

EJEMPLO: Para llevarlo en la autocaravana para mi yorsay
RESPUESTA: positivo

EJEMPLO: Llegó en su tiempo. Por el precio no está mal pero me esperaba otra cosa.
RESPUESTA: negativo

EJEMPLO: Malisimas. Las he tenido que tirar. El cierre se deforma ademas han venido super sucias.
RESPUESTA: negativo

EJEMPLO: Apenas 4 meses y ya no carga. Mucho peor que la batería original
RESPUESTA: negativo

EJEMPLO: Ha llegado la caratula un poco rajada. Por lo demás todo bien.
RESPUESTA: neutro

EJEMPLO: Lo volvería a comprar
RESPUESTA: positivo

EJEMPLO: cumple con lo estipulado
RESPUESTA: neutro

EJEMPLO: Un mes de uso... y se me borran las letras... no entiendo nada...
RESPUESTA: negativo

EJEMPLO: Va bien y es más barato que otras marcas
RESPUESTA: positivo

EJEMPLO: Nunca me llegó la sudadera
RESPUESTA:


MODEL OUTPUT

 negativo


PARSE RESULT

 ['negativo']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.


EJEMPLO: Cumple su función, aunque la calidad de los materiales deja algo que desear. Se ve que es plástico del barato y da sensación de fragilidad. Veremos como aguanta el paso del tiempo y los usos.
RESPUESTA: neutro

EJEMPLO: Un poquito escaso pero funciona , hay que seguir bien todos los pasos
RESPUESTA: positivo

EJEMPLO: He solicitado la devolución del producto, el producto no coincide con el ofertado, han mandado un kit con cuadro utensilios de muy mala calidad.
RESPUESTA: negativo

EJEMPLO: El plastico chirriaba, se abrian y cerraban con ruido. Una gran decepcion, esperaba mas de oakley. una gran marca, pero este producto un desastre.
RESPUESTA: negativo

EJEMPLO: Es bastante rígido, aunque le falta peso para una pegada dura.Muy buen material.
RESPUESTA: neutro

EJEMPLO: Buena botella de agua, tal y como se ve en las fotos. Amplia capacidad, 2,2 litros. Con su asa de plástico para cogerla, su tapón ajustable y su correa arriba para que no se le pierda el tapón. La compré para mi padre, quería una botella que fuera de buen material y duradera. Y ésta es libre de BPA, es decir, bisfenol A, producto tóxico que se suele usar para endurecer el plástico. Así se la puede llevar al campo y dejarla al sol en el coche sin que suelte residuos tóxicos, como las botellas convencionales o reutilizadas y sin que sea de cristal y se rompa fácilmente. Me ha durado poco, se ve que el plástico no resiste mucho los golpes, se me rompió al caerse a un palmo del suelo, se hizo pedazos.
RESPUESTA: neutro

EJEMPLO: Excelente material y rapidez en el envio. Recomiendo
RESPUESTA: positivo

EJEMPLO: Filtran perfectamente el sol cuando conduces, si en vez de plástico fueran de cristal seria perfecto. 😎
RESPUESTA: neutro

EJEMPLO: Es una monada. El tamaño y colores es el indicado, tiene luces y sonido ( imita a ebullición) los accesorios de un plástico muy aceptable . Son rígidos.
RESPUESTA: positivo

EJEMPLO: Es una hucha electrónica, con lo que no podemos pedirle mucho más. Los plásticos no denotan calidad y el mecanismo de funcionamiento no es lo sencillo que podría parecer.
RESPUESTA: neutro

EJEMPLO: Es un poco frágil. Aunque es un buen producto el acabado de los materiales es un poco frágil en el segundo uso la rueda que regula la fuerza de la palanca salio disparada dándose de si el plástico de la palanca done se sujeta. Dicho eso el sistema de riego funciona muy bien y sus diferentes chorros hacen que el uso de la manguera para diferentes opciones muy fácil
RESPUESTA:


MODEL OUTPUT

 el sistema de riego funciona muy bien y sus diferentes chorros hacen que el uso de manguera para diferentes opciones muy fácil


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.


EJEMPLO: Es tal y como aparece en las fotos
RESPUESTA: positivo

EJEMPLO: Llegó a tiempo y perfectamente embalado. Excelente móvil lo poco que lo he usado me ha resultado super rápido, fotos de excelente calidad, batería de larga durabilidad, buenos acabados, sonido excelente, fácil de usar y una pantalla con full color. Ha sido una buena compra.
RESPUESTA: positivo

EJEMPLO: Es justo lo que buscaba ni más ni menos y además es como la que tenía de hace ya años.
RESPUESTA: positivo

EJEMPLO: La dirección donde quieres enfocar la cámara, hay que moverla con la mano. Es tan endeble que con 6 meses que tiene la mía, ya se ha roto, y según como la enfoque, la imagen no se ve. Dinero tirado a la basura
RESPUESTA: negativo

EJEMPLO: Me gusta porque da un tono de color a la salita tipo cine ya que puede poner los tonos mas suaves o mas fuertes,son algo mas de 75cm y los mios rodean la tele como se ve en la foto,lo unico que veo un poco flojo es la cinta de pegar que no se lo que aguantara
RESPUESTA: positivo

EJEMPLO: Me esperaba más unidades como aparecía en la foto, aunque después he comprobado que en la descripción pone "una hoja", con lo que, con más razón, me parece un poco caro para lo que es. Además me ha llegado rota, así que un fiasco, no lo voy a poder usar y además he tirado el dinero inútilmente. Una decepción.
RESPUESTA: negativo

EJEMPLO: De lo que se ve en la foto a él plástico naranja del original...en fin, más que oro parece q ya amarilleo de tener tiempo
RESPUESTA: negativo

EJEMPLO: UNA DE LAS PESTAÑAS DE LA CAJA VINO ROTA. POR LO DEMÁS BIEN, ES IGUAL QUE EN LAS FOTOS.POR EL PRECIO NO SE PUEDE PEDIR MAS
RESPUESTA: neutro

EJEMPLO: La calidad no es muy buena. A la primera puesta le han salido un montón de bolas y me ha dejado el colchón lleno de pelusas como se puede ver en la foto adjunta. Además, los laterales no viene con costura. No lo recomiendo.
RESPUESTA: negativo

EJEMPLO: Él color no se ajusta al de e la foto. Por lo demás todo perfecto.
RESPUESTA: neutro

EJEMPLO: Todo tal y como en la foto, mi hijo de 5 años está encantado y lo usa cuando hace skateboard.
RESPUESTA:


MODEL OUTPUT

 tuvo tal y como aparece en las fotos


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.


EJEMPLO: El botón no funciona, con lo cual si quieres pararlo, necesitas quitarle las pilas. No lo recomiendo.
RESPUESTA: negativo

EJEMPLO: Buen producto y entrega rápida, esperaba que lucieran más blancas-azúl... Aunque sí son más blancas que las H7 de la marca
RESPUESTA: positivo

EJEMPLO: Después de unos meses de uso cumple su función. Materiales y acabados buenos, lo que no me gusta es que la ventana es muy oscura y cuesta ver la hora
RESPUESTA: neutro

EJEMPLO: Es facil de usar pero muy sensible y con los baches se desconecta
RESPUESTA: neutro

EJEMPLO: Contentísimos,el primer día trago agua hasta equilibrarse y después perfectos.... Mi niña tiene 2 años..
RESPUESTA: positivo

EJEMPLO: Por observaciones previas pensaba que incluia cristal templado y no lo incluye
RESPUESTA: neutro

EJEMPLO: A mí no me las ha dejado muy limpias...o no se usarlo bien o no es tan efectivo como dicen.
RESPUESTA: neutro

EJEMPLO: Muy caros luego los he estado viendo 2euros iguales y la misma marca .se han pasado con el margen de beneficio
RESPUESTA: neutro

EJEMPLO: Mi hija está encantada , con 6 años tiene las uñas pequeñas todavía y le quedan muy justas las calcomanías pero ella está encantada
RESPUESTA: positivo

EJEMPLO: No me ha gustado nada. Mucho calor dentro, resiste mal el viento, aunque no sea fuerte, los enganches se sueltan de las piquetas con facilidad. No la recomiendo.
RESPUESTA: negativo

EJEMPLO: No funciona bien,marca una temperatura y cuando le ponemos el de toda la vida marca otra totalmente distinta.Mala compra,no te puedes fiar
RESPUESTA:


MODEL OUTPUT

 el tarea de texto no funciona bien,marca una temperatura y cuando le ponemos el de toda la vida marca otra totalmente diferente.Mala compra,no pue


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.


EJEMPLO: Me encanto. Ya los he comprado varias veces.
RESPUESTA: positivo

EJEMPLO: No entiendo como funciona.donde se puede encontrar instrucciones fe funcionamiento en castellano?
RESPUESTA: negativo

EJEMPLO: No funciona. No he conseguido hacer que funcione. Lo he probado en varios mecheros de coches diferentes y no se llega a encender en ninguno de ellos.
RESPUESTA: negativo

EJEMPLO: El botón no funciona, con lo cual si quieres pararlo, necesitas quitarle las pilas. No lo recomiendo.
RESPUESTA: negativo

EJEMPLO: El marco cubre más del marco del reloj. O sea invade la pantalla. Siempre quedan algunas burbujas, lo he instalado 3 veces. Por último, y lo peor de todo, horrible la sensación táctil. Casi no obedece. Estoy a punto de quitarlo y comprar otro. Y eso que compre dos de este modelo.
RESPUESTA: negativo

EJEMPLO: Siempre he comprado WD y no me defrauda. Desafortunadamente no puedo decir lo mismo cuando he comprado otras marcas
RESPUESTA: positivo

EJEMPLO: Cumplen satisfactoriamente con la función. Se pueden recortar y son gruesas. Buena relación calidad precio
RESPUESTA: positivo

EJEMPLO: No he recibido el pedido. me han hecho un reembolso por el valor de los articulos pedidos.
RESPUESTA: negativo

EJEMPLO: Aún no lo he probado. Algo malo es que vienen las instrucciones en inglés y nada en español.
RESPUESTA: neutro

EJEMPLO: Al principio buen sonido y fácil de usar, pero en 4 meses se bloquea y no reacciona, cuando se acaba la batería funciona bien, pero se vuelve s bloquear. He procedido a su devolución
RESPUESTA: neutro

EJEMPLO: He intentado con diferentes ordenadores y pantallas y no funciona. No reconoce los dispositivos. No lo recomiendo para nada.
RESPUESTA:


MODEL OUTPUT

 no recomendo para nada.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.


EJEMPLO: La funda para el sofá es muy fina. El material no transmite sensación de que vaya a durar en el tiempo, pero por el precio que tiene no podría pedirse algo mejor, o si?. Compré una funda de marca para la barbacoa y comprado con esta es de risa. En principio hace de repelente de agua, pero no lo he probado con lluvia torrencial, lo he probado tirándole un poco de agua en una zona con un vaso. Habría que volver a valorar esta funda con el paso del tiempo para ver si merece la pena o no su compra.
RESPUESTA: neutro

EJEMPLO: El armario está bastante bien. Pero el tema de mensajeria deja mucho que desear, aunque llego relativamente rapido (algo menos de 2 semanas), vino con varios golpes los cuales dificultan el montaje e interrumpen el cierre y apertura de puertas
RESPUESTA: neutro

EJEMPLO: Estaba buscando unos cuchillos de carne que me durasen para muchísimo tiempo sin importarme gastar un poco más. A veces es mejor no comprar barato. Estos cuchillos van a sustituir a unos antiguos que tenía que aunque hacían bien su función se me fueron estropeando porque el mango era de plástico y de tanto lavado se fue estropeando esta parte. A primera vista ya se aprecia que son de muy buena calidad por los materiales con los que están fabricados. A destacar también el envoltorio ya que son perfectos para regalar. Muy buena compra.
RESPUESTA: positivo

EJEMPLO: Su estabilidad es muy buena, al igual que su uso. Pesa poco y ofrece mucha seguridad. Ideal para llegar a cualquier sitio normal.
RESPUESTA: positivo

EJEMPLO: Le había dado cinco estrellas y una opinión muy positiva, el aparato funcionó bien mientras funcionó, el problema es que funcionó poco tiempo. Hoy, apenas tres meses después de adquirirlo, he ido a encenderlo y en lugar de arrancar se ha quedado parado. Unos segundos más tarde ha soltado un chispazo y ahí se ha quedado. No se le ha dado ningún golpe, ni se ha usado para nada distinto a su finalidad, así que la única explicación lógica es que viniera defectuoso de fábrica. Amazon me va a reembolsar el importe en garantía en cuanto lo devuelva, así que por ese lado no tengo queja.
RESPUESTA: negativo

EJEMPLO: Para empezar, si el tiempo de envío es largo, el producto se retrasa por problema de aduanas. Solicitó la devolución, ya que es para un regalo y ante la tardanza han adquirido una prenda similar en otro sitio. Amazon me pone en contacto con el vendedor, el cual no facilita la devolución. Mientras tanto recibo el paquete y cuál es mi sorpresa que el artículo q me envían es un bolso negro, una especie de portafolios pero que nada tiene que ver con el sujetador de lactancia que encargue. Sigo en contacto con el vendedor, que aún sigue sin darme ninguna solución.
RESPUESTA: negativo

EJEMPLO: Después de un año de tenerlas, muy contenta. Tras varios lavados y secadoras no tiene bolitas. Muy buena calidad. Lo único que la funda de cojín es demasiado grande para mi gusto.
RESPUESTA: positivo

EJEMPLO: Es demasiado grueso, queda tosco y un pelín feo, las hay más discretas que quedan mucho mejor por el mismo precio
RESPUESTA: neutro

EJEMPLO: No me gusta las pocas especificaciones del producto y las etiquetas arrancadas, eso no me ha gustado.
RESPUESTA: neutro

EJEMPLO: Lo compré para un regalo y será utilizado con un iPhone X. No he tenido la oportunidad de probarlo con dicho teléfono, pero puedo hablar de la excelente calidad de los materiales, es pesado, se siente firme y tiene franjas con goma tanto en la parte superior para que el teléfono no se deslice y en su parte inferior para que no se deslice sobre la superficie donde se ubica. Sólo lo he conectado para probar las luces (azules) y si colocas un dispositivo para cargar, estás parpadean muy lentamente unas 5 veces y luego se apagan definitivamente, cosa que es de agradecer si lo vas a usar en tu mesa de noche. Por ahora lo recomiendo estéticamente, luego informaré de su funcionamiento.
RESPUESTA: positivo

EJEMPLO: Leyendo las opiniones de otros compradores no sabia que esperar. Las habia buenas y malas. Yo me quede a medias. Pense que se quedaria mas cerrado, y aunque aun no lo he probado con frutos secos (almendras...) que era principalmente para lo que lo queria, el sistema de cierre que tiene no me da ninguna seguridad. Para cosas de mayor tamaño si lo veo adecuado para transportarlas (manzana, platano...) Si en lugar de un unico velcro, la tapa tuviese dos velcros si lo veria seguro (posiblemente me haga yo un apaño casero)
RESPUESTA:


MODEL OUTPUT

 Pense que se quedaria mas cerrado, y aunque aun no lo probado con frutos secos (almendras...) que era principalmente para lo que lo queria, el sistema de cierre


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.


EJEMPLO: Me da vergüenza escribir esta opinión, puesto que estoy esperando este artículo desde el mes de Agosto y estamos en Octubre. siempre Amazon me ha atendido bien, pero no tengo por menos de indicar que een este pedido, que aun no HE RECIBIDO ha fallado, bien sea Amazón ço el Proveedor, pero en cualquier caso yo lo HE COMPRADO A AMAZON.
RESPUESTA: negativo

EJEMPLO: Bueno en la oferta se incluían 5 piezas para soporte que no llegaron con el paquete
RESPUESTA: neutro

EJEMPLO: El cristal se adhiere por adhesivo, no por estática. La primera vez que se me cayo, se movio. La segunda se desprendió y quedó inutilizable sin llegar a romperse. Defraudado.
RESPUESTA: negativo

EJEMPLO: Buen producto y entrega rápida, esperaba que lucieran más blancas-azúl... Aunque sí son más blancas que las H7 de la marca
RESPUESTA: positivo

EJEMPLO: Despues de 2 dias esperando la entrega ,tuve que ir a buscarlo a la central de DHL de tarragona ,pese a haber pagado gastos de envio (10 euros),y encima me encuentro con un paquete todo golpeado en el que faltan partes del embalaje de carton y el resto esta sujeto por multitud de tiras de celo gigantesco pata que no se desmonte el resto de la caja ,nefasto he hecho varias reclamaciones a la empresa de transporte y encima me encuentro el paquete en unas condiciones horrorosas con multiples golpes,espero que al menos funcione.Nada recomendable,ni el vendedor ni amazon ni por supuesto el transportista DHL.
RESPUESTA: negativo

EJEMPLO: Todo perfecto,lo unica malo es que el transportista forzo el DVD para entrarlo en el buzon y no pico el timbre estando yo en casa.
RESPUESTA: positivo

EJEMPLO: La funda para el sofá es muy fina. El material no transmite sensación de que vaya a durar en el tiempo, pero por el precio que tiene no podría pedirse algo mejor, o si?. Compré una funda de marca para la barbacoa y comprado con esta es de risa. En principio hace de repelente de agua, pero no lo he probado con lluvia torrencial, lo he probado tirándole un poco de agua en una zona con un vaso. Habría que volver a valorar esta funda con el paso del tiempo para ver si merece la pena o no su compra.
RESPUESTA: neutro

EJEMPLO: La patilla de las gafas se sale demasiado fácil de la cadena
RESPUESTA: neutro

EJEMPLO: Funciona bien, pero a veces apretando se suelta.
RESPUESTA: neutro

EJEMPLO: tal y como lo imaginaba, ligero , con la altura que indicaba en el paquete, y super elegante !! GRACIAS
RESPUESTA: positivo

EJEMPLO: Nunca se entregó el paquete, quise pedir un reembolso per nadie se hace cargo. Es la segunda vez que me pasa con Amazon
RESPUESTA:


MODEL OUTPUT

 el juego de tarea de clasificación de texto. EJEMPLO: Me da vergüenza escribir esta opinión, puesto que estoy esperando este artculo desde


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.


EJEMPLO: Anatómicamente no me sirve, lo encuentro incómodo. Demasiado grande.
RESPUESTA: negativo

EJEMPLO: És un aparato que calidad precio no se puede pedir nada más, no tiene sorpresa,és un aparato sencillo
RESPUESTA: neutro

EJEMPLO: A pesar de estar tomándome este producto durante dos meses y medio religiosamente cada día ,no sirve absolutamente de nada, porque sigo blanca como la pared. Admiro a las personas que lo han tomado y les ha funcionado pero desde luego a mí, no ha sido el caso. Decían que empezaba a funcionar desde el segundo mes pero pienso que aunque lo tomase 12 meses seguiría igual.
RESPUESTA: negativo

EJEMPLO: Muy fino, abriga poco
RESPUESTA: neutro

EJEMPLO: Parece que protege bien, pero lo he devuelto porque no se apoya de manera estable. Queda demasiado vertical y es fácil que se caiga.
RESPUESTA: negativo

EJEMPLO: Lo volvería a comprar
RESPUESTA: positivo

EJEMPLO: Malísimo para nadar es muy endeble de abajo el tubo no vale nada se sale mucho no puedes nadar
RESPUESTA: negativo

EJEMPLO: Es de papel muy delicado.Al abrirla se rompio un poco pero luego no se nota, no incluye ningun cable ni rosca para la bombilla, tienes que comprarlo aparte.
RESPUESTA: neutro

EJEMPLO: Ha llegado la caratula un poco rajada. Por lo demás todo bien.
RESPUESTA: neutro

EJEMPLO: Demasiado altas, en la foto no lo parecen tanto. Buena calidad de la tela.
RESPUESTA: neutro

EJEMPLO: Demasiado aparatosa.
RESPUESTA:


MODEL OUTPUT

 negative


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.


EJEMPLO: Esta bien, es fino, queda mas grande de lo que se indica en el tallaje. El gorro también es grande.
RESPUESTA: neutro

EJEMPLO: No es el articulo de calidad que parece ademas se equivocaron de talla y tuve que devolverlas
RESPUESTA: negativo

EJEMPLO: Resistente y con una batería muy duradera Ideal para trabajar en talleres. Un teléfono mediano de características técnicas a un precio muy bueno
RESPUESTA: positivo

EJEMPLO: Muy pequeña. Compra como mínimo dos tallas más de las que necesites.
RESPUESTA: neutro

EJEMPLO: Era un regalo y la verdad que esta dando la talla que deseaba!! Facil de utilización y muy creativo.
RESPUESTA: positivo

EJEMPLO: En tarima flotante de 11mm los cortes longitudinales fue imposible hacerlos, en cambio en los cortes a lo ancho aunque costaba un poco los hizo bien.
RESPUESTA: neutro

EJEMPLO: Es un disfraz que solo entra la parte de arriba del traje, viene con una máscara d látex gruesa que viene toda doblada y deforme. Pero eso no es lo peor, lo peor es que el traje cuesta 45€ y deberían de darte 45€ por ponértelo, por que es un espanto para el precio que tiene, una tela pésima, como un traje de carnaval del bazar oriental de 6€. Y lo de la talla única... uña persona que tenga una complexión algo fuerte, no le estaría bien. De verdad, es un traje que no vale en absoluto el dinero que cuesta. A si es que nada más verlo, se fue de vuelta.
RESPUESTA: negativo

EJEMPLO: En realidad no es muy ligero, pero tampoco es algo que incomode por el grosor que aporta al móvil.
RESPUESTA: neutro

EJEMPLO: Las tallas ...es dificil acertar con la correcta o te aprietan mucho o te sobra...
RESPUESTA: neutro

EJEMPLO: Parece que protege bien, pero lo he devuelto porque no se apoya de manera estable. Queda demasiado vertical y es fácil que se caiga.
RESPUESTA: negativo

EJEMPLO: El tallaje no se corresponde pero son muy elásticos y encima me han enviado uno de ellos con una talla más pequeña.
RESPUESTA:


MODEL OUTPUT

 el tallaje no corresponde pero son muy elásticos y encima me han enviado uno de ellos con una talla más pequea.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.


EJEMPLO: Me parece una Porqueria pero la niña lo pidió a los reyes y ella está feliz
RESPUESTA: neutro

EJEMPLO: El arte del juego es precioso. La historia merece ser vista al menos. La edición coleccionista, a ese precio, y con este juego, merece salir de camino a casa de cualquier jugon.
RESPUESTA: positivo

EJEMPLO: Muy pesado, difícil de desmontar, el color se desgasta, la cesta de atrás siempre con mucho polvo, he de limpiarla todos los días
RESPUESTA: neutro

EJEMPLO: El envío muy rápido, el mismo día del lanzamiento del libro. La lástima es que me lo han mandado algo deteriorado, en la parte superior hay una zona que está como rasgada. Era para un regalo.
RESPUESTA: neutro

EJEMPLO: Hola buenas, me llego el reloj el dia 11 y no funciona bien, le tocas para ver la hora o ponerlo en marcha y va cuando quiere, le tienes que dar muchisimas veces. Lo que deseo saber es como hacer la devolución y que me enviarán otro en perfecto estado. Gracias Atentamente Paqui
RESPUESTA: negativo

EJEMPLO: Fácil de conectar, pequeño y manejable. El sonido regular y se oye bastante flojito. No lo volvería a comprar.
RESPUESTA: neutro

EJEMPLO: A mi hija la ha encantado. Viene además 2 hojas con pegatinas de estrellas, círculos y formas pequeñas en color rojo y plata y se lo ha pasado genial pintando y pegándolas.
RESPUESTA: positivo

EJEMPLO: Es tal y como aparece en las fotos
RESPUESTA: positivo

EJEMPLO: Poco serio no me llegado nada... vivo una dirección única todos los datos bien puestos buzón único por más que me pongo en contacto no me contesta para darme una explicación
RESPUESTA: negativo

EJEMPLO: los llaveros son de plástico finito,pero por el precio no se puede pedir más .Las pulseras tallan un poco grande para niños
RESPUESTA: neutro

EJEMPLO: Cuando escuchas música conectando tus auriculares al puerto lighting de la funda, estos se desconectan con facilidad. Por lo demás todo bien, es un palo ir cargándolo todos los días y además pesa demasiado, pero te salva bastante la vida cuando te quedas sin batería al final del día.
RESPUESTA:


MODEL OUTPUT

 Qué escuchas msica conectando tus auriculares al puerto lighting de la funda, estos se desconectan con facilidad. Por lo demás todo bien, es un palo


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.


EJEMPLO: Quedan perfectas y para mi gusto sientan mejor que el modelo OS que también tengo y resulta caluroso frente a este.
RESPUESTA: positivo

EJEMPLO: Cumple con su propósito perfectamente , dispongo de un portátil bastante fino que no dispone de suficientes puertos USB ni de HDMI , con este hub solucionado , va bien rápido tiene buenos materiales y es pequeño. La verdad que muy contento con el producto
RESPUESTA: positivo

EJEMPLO: El producto y su propia caja en el que viene empaquetado los botes es bueno, pero la caja del envío del trasporte es horrible. La caja del transporte llego completamente rota. De tal manera que los botes me los entregaron por un lado y la caja por otro. El transporte era de SEUR, muy mal.
RESPUESTA: neutro

EJEMPLO: Tenía un disco duro de 80 GB procedente de un portátil que tiré y me daba pena tirarlo. Compré esta carcasa, bien barata, y ahora tendo un USB de 80 GB. Como digo: Perfecto y barato.
RESPUESTA: positivo

EJEMPLO: Me ha llegado bien pero al abrirlo observo que falta el adaptador tipo C que indica el anuncio. Confío que me lo envien
RESPUESTA: neutro

EJEMPLO: Yo usaba el tamaño slim que compraba en el estanco y pensaba que estos eran iguales pero no, son aún más cortos. Yo uso una liadora manual y ya me apaño pero para quien los lie a mano necesitará práctica. Por lo demás, relación cantidad-precio excelente.
RESPUESTA: neutro

EJEMPLO: Pues me dejé guiar por las buenas opiniones y al final ha sido un triunfazo!! a todos en casa les ha encantado. Fácil de instalar. Todo en él es metálico lo que le da robustez. He probado un poco el sonido y bueno no hay color de grabar con este micrófono a uno de auriculares que usaba antes, lo que si aconsejo que no lo pongais muy cerca de la torre del ordenador y más si es antigua porque por muy bueno que sea el micro milagros no hace jeje Viene con un usb que por ejemplo yo lo usaré para ponerlo en el portatil y poder conectarle el microfono y unos auriculares y así poder editar con él.
RESPUESTA: positivo

EJEMPLO: Me lo esperaba un poco mas desahogado al ir por el puerto thunderbolt 2. Se calienta el adaptador, no excesivamente pero es algo a tener en cuenta .
RESPUESTA: neutro

EJEMPLO: El marco cubre más del marco del reloj. O sea invade la pantalla. Siempre quedan algunas burbujas, lo he instalado 3 veces. Por último, y lo peor de todo, horrible la sensación táctil. Casi no obedece. Estoy a punto de quitarlo y comprar otro. Y eso que compre dos de este modelo.
RESPUESTA: negativo

EJEMPLO: Es muy comodo eso sin duda. La capacidad de succion es muy buena en modo turbo pero eso te da unos 10 minutos solo de autonomia y tienes que cambiar la bateria, y cargar. esperaba mas de un producto como esto y al precio que tiene. Le falta potencia en mi opinion.
RESPUESTA: neutro

EJEMPLO: Necesitaba un ordenador portátil y aunque yo no tengo mucha idea de portátiles, me leí todas las opiniones que se decían de este modelo Lenovo, ya que está marca no la conocía. El ordenador va bien aunque para mi gusto un poco lento.
RESPUESTA:


MODEL OUTPUT

 el ordenador es el objeto portátil y el objeto es el objeto portátil y el objeto portátil y el objeto portát


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.


EJEMPLO: Aparentemente tiene muy buena calidad y un gran precio para venir tres protectores. Ningún problema a nivel táctil muy transparente, del tamaño exacto para la pantalla. Sin embargo, el primero no fui capaz de que se adhiriera a la pantalla (quedaba despegado la mitad); pensé que era mi inexperiencia. El segundo quedó ya mejor, pero aún y todo, no adherido del todo. Y ahí ya no es por exceso de confianza. Gracias a que uso una funda tipo libro la pantalla no queda expuesta y he reservado el tercer protector para más adelante.
RESPUESTA: neutro

EJEMPLO: En realidad no es muy ligero, pero tampoco es algo que incomode por el grosor que aporta al móvil.
RESPUESTA: neutro

EJEMPLO: El protector de pantalla llegó un poco roto.
RESPUESTA: neutro

EJEMPLO: Preparo comida a primera hora de la mañana para llevármela a la oficina y con cremas y sopas me encuentro que, aún pasadas 6h, la comida está muy caliente y debo andar con ojo para no quemarme la boca.
RESPUESTA: positivo

EJEMPLO: Lo compré para arreglar el cristal de mi móvil. Pues bien, cuando lo puse (lo seque con la máquina de secado UV la recomendada). Cuando encendí el móvil, el pegamento había dejado unas manchas horrorosas donde se veía el pegamento y al poco rato me dejo de funcionar la pantalla LCD. Chicos no lo compréis si no queréis joder vuestro teléfono móvil. Horrible el producto.
RESPUESTA: negativo

EJEMPLO: Van muy bien y son cómodos. La durabilidad es un poco corta en cuanto al material antideslizante. En un par de meses con un uso de 3 veces por semana, se van perdiendo los antideslizantes.
RESPUESTA: neutro

EJEMPLO: El cristal le va pequeño a la pantalla, por los lados sobra un monton así que no lo cubre por completo, uno de los 2 cristales que iban en el paquete llevaba como una mota de polvo de fabrica insalvable. No lo recomiendo.
RESPUESTA: negativo

EJEMPLO: Buen protector 3D. Muy discreto, la gente flipa cuando lo ven porque no parece para nada que lleve protector. Es lo que buscaba. recomendable 100% Llego antes de lo previsto.
RESPUESTA: positivo

EJEMPLO: Tuve uno de la marca Kong y lo rompió en dos días, este es mas “duro” y resistente y vuela un poco más. Encantado con la compra
RESPUESTA: positivo

EJEMPLO: Me ha gustado porque tiene una buena estructura y gran capacidad para guardar ropa, calzado...
RESPUESTA: positivo

EJEMPLO: Compré el protector para el móvil de mi hija... en menos de 2 meses tiene ya la pantalla rota, sin golpes bruscos ni caidas de móvil, eso si el protector intacto. No parece que proteja mucho
RESPUESTA:


MODEL OUTPUT

 el protector para el móvil de mi hija... en menos de 2 meses tiene ya la pantalla rota, sin golpes bruscos ni caidas de móvil, eso


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.


EJEMPLO: Funciona bien, pero a veces apretando se suelta.
RESPUESTA: neutro

EJEMPLO: No me gusta nada de nada....pero es lo que quiere mi hija. Lo espera con ilusión....así que....bueno. Me parece un juguete muy caro para lo que es.
RESPUESTA: negativo

EJEMPLO: El producto viene perfecto pero no como en la foto que aparece, y a mi me hubiese gustado elegir El color que me gustase
RESPUESTA: neutro

EJEMPLO: Su estabilidad es muy buena, al igual que su uso. Pesa poco y ofrece mucha seguridad. Ideal para llegar a cualquier sitio normal.
RESPUESTA: positivo

EJEMPLO: Regular, no han cumplido mis espectativas... cuando te las pones mojado se resbala el pie hacia todos sitios.
RESPUESTA: neutro

EJEMPLO: El envío muy rápido, el mismo día del lanzamiento del libro. La lástima es que me lo han mandado algo deteriorado, en la parte superior hay una zona que está como rasgada. Era para un regalo.
RESPUESTA: neutro

EJEMPLO: Me hubiera gustado que se vea por la noche con otro tipo de iluminación. No tengo claro que sea muy preciso.
RESPUESTA: neutro

EJEMPLO: Buena succión de aire. Lo usé para sustituir el que tenía con las mismas medidas
RESPUESTA: neutro

EJEMPLO: No me ha gustado nada. Mucho calor dentro, resiste mal el viento, aunque no sea fuerte, los enganches se sueltan de las piquetas con facilidad. No la recomiendo.
RESPUESTA: negativo

EJEMPLO: Me ha gustado. Muy útil
RESPUESTA: positivo

EJEMPLO: Hace su función, pero para mi gusto huele a azufre, osea, regular...
RESPUESTA:


MODEL OUTPUT

 es el objeto de clasificación de texto. EJEMPLO: Funciona bien, pero a veces apretando se suelta. RESPUESTA: positivo EJEMPLO:


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.


EJEMPLO: No me gusta nada de nada....pero es lo que quiere mi hija. Lo espera con ilusión....así que....bueno. Me parece un juguete muy caro para lo que es.
RESPUESTA: negativo

EJEMPLO: No leí comentarios y mi sorpresa al intentar encenderlo es que no encendia, al leer comentarios no era el único, así que lo devolví inmediatamente y no se me ocurrirá volver a comprarlo por aqui
RESPUESTA: negativo

EJEMPLO: En su línea, la verdad. Acción hasta el final, mujeres apasionantes, hombres enamorados y mucha acción. La verdad es que engancha desde el principio.
RESPUESTA: positivo

EJEMPLO: Es falso,trae una bomba que no es la de Loreal.He iniciado la devolución.
RESPUESTA: negativo

EJEMPLO: Me parece una Porqueria pero la niña lo pidió a los reyes y ella está feliz
RESPUESTA: neutro

EJEMPLO: Me encanta para el bebe muy practico lo recomiendo 100%
RESPUESTA: positivo

EJEMPLO: Hola buenas, me llego el reloj el dia 11 y no funciona bien, le tocas para ver la hora o ponerlo en marcha y va cuando quiere, le tienes que dar muchisimas veces. Lo que deseo saber es como hacer la devolución y que me enviarán otro en perfecto estado. Gracias Atentamente Paqui
RESPUESTA: negativo

EJEMPLO: Llego una semana despues de lo.acordado y encima me lo quieren cobrar mada huevos,
RESPUESTA: negativo

EJEMPLO: Quedan perfectas y para mi gusto sientan mejor que el modelo OS que también tengo y resulta caluroso frente a este.
RESPUESTA: positivo

EJEMPLO: Pues efectivamente como ponen comentarios anteriores ....duro el rollo 30 minutos si es q llego, recambios no encuentras, una decepción total. Lo triste es q lo pidió mi niña de 4 años para Reyes y ahora q hace con eso? Pongo una estrella pq no me deja poner cero.
RESPUESTA: negativo

EJEMPLO: Es una trilogia que se hace muy facil de leer. Me ha gustado, no me esperaba el final para nada
RESPUESTA:


MODEL OUTPUT

 es una trilogia que se hace muy facil de leer. Me ha gustado, no me esperaba el final para nada


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.


EJEMPLO: No funciona la carga, aunque si el audio
RESPUESTA: negativo

EJEMPLO: No es compatible con iphone x, a los 2 minutos te salta el mensaje y deja de funcionar.. no lo compreis no sirve para nada.
RESPUESTA: negativo

EJEMPLO: He probado varios auriculares ya. Estos sin duda son los que mejor resultado dan en cuanto a sonido y comodidad se refiere. Totalmente recomendable.
RESPUESTA: positivo

EJEMPLO: Buen precio para la gran capacidad que tiene. No tiene ruido y es totalmente manejable.
RESPUESTA: positivo

EJEMPLO: Cuando una marca de prestigio pone un producto al mercado uno espera un mínimo de calidad, Samsung Galaxy Fit e , no lo és. Tiene varios problemas, pero el más significativo es que a la hora de deslizar las pantallas con el dedo te das cuenta que no funciona o que lo hace aveces, creo que Samsung no ha estado a la altura de lo que de ellos se espera. El único consuelo que nos queda es que estos fallos puedan ser corregidos por una actualización, y así disfrutar y no desesperarse de esta pulsera que por diseño merecería un mejor trato de su fabricante.
RESPUESTA: negativo

EJEMPLO: Un teléfono ajustado a la definición. Sencillo y práctico. El timbre de llamada un poco bajo
RESPUESTA: neutro

EJEMPLO: Se ve que la calidad es buena dentro de la media, aunque lo que no me gustó en relación a otros como el Ol'Vita, es que no guarda mucho de la parte de aceite esencial que le da el matiz "especiado". Para algunos usos quizá sea mejor no tener un sabor tan fuerte, pero para temas de salud preferiría tener todo el espectro natural.
RESPUESTA: neutro

EJEMPLO: Es tal y lo que te pone en la descripción, sin más, aunque la apertura de la basura, con el pedal, me da la impresión que se romperá dentro de no mucho tiempo, ya que se abre muy de golpe, aunque lo presiones suavemente.
RESPUESTA: neutro

EJEMPLO: Un libro chulísimo, mezclando historia y chistes gráficos. Para todos los que conozcan el canal de youtube les va a gustar, porque ya conocen el estilo que manejan Pascu y Rodri, los autores. Por ponerle sólo un pero, demasiado corto.
RESPUESTA: positivo

EJEMPLO: Cargador compatible con iPhone , pero se calienta
RESPUESTA: neutro

EJEMPLO: Los auriculares tienen un diseño atractivo, se emparejan facilmente y funcionan bien. Pero el audio es muy mejorable, tiene un sonido enlatado completamente, también puede ser porque estoy acostumbrado a los del iphone que sinceramente se escuchan muy muy bien. Pero en cuanto al audio de unos auriculares soy bastante exigente.
RESPUESTA:


MODEL OUTPUT

 ltimo es que el audio tiene un diseo atractivo, se emparjan facilmente y funcionan bien. Pero el audio es muy mejorable, tiene un sonido


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.


EJEMPLO: En realidad no es muy ligero, pero tampoco es algo que incomode por el grosor que aporta al móvil.
RESPUESTA: neutro

EJEMPLO: He probado el manómetro y no aguanta con la presión para compararla, la va perdiendo poco a poco, y no es igual que otros manómetros.
RESPUESTA: neutro

EJEMPLO: Estoy muy defraudada,ponía 2 fechas de entrega y ni una ni otra,y aún estoy esperando una respuesta de por qué no me ha llegado el producto.Si no lo hay,pues que me devuelvan el dinero.Exijo una respuesta y una solución yaaa!!!!
RESPUESTA: negativo

EJEMPLO: Pues efectivamente como ponen comentarios anteriores ....duro el rollo 30 minutos si es q llego, recambios no encuentras, una decepción total. Lo triste es q lo pidió mi niña de 4 años para Reyes y ahora q hace con eso? Pongo una estrella pq no me deja poner cero.
RESPUESTA: negativo

EJEMPLO: Es suave y como de poner
RESPUESTA: positivo

EJEMPLO: No puedo opinar sobre cómo va el producto apenas me acaba de llegar . Pero opino sobre la rapidez del envío. Me ha llegado antes de Lo previsto. Gracias
RESPUESTA: neutro

EJEMPLO: Edición muy cuidada. Tiene buen sonido y me llegó muy rápido. En perfecto estado, sin ningún rasguño. A día de hoy no tengo ninguna pega. Además es muy original, destaca entre toda la colección de vinilos.
RESPUESTA: positivo

EJEMPLO: Es justo lo que buscaba ni más ni menos y además es como la que tenía de hace ya años.
RESPUESTA: positivo

EJEMPLO: Estoy muy contenta. Lo conecto cuando salgo del trabajo y al llegar a casa ya está caliente. También lo puedes programar, hora de encendido, apagado, grados. Te dice también en el móvil a cuantos grados está tu casa. Yo lo recomiendo 100%
RESPUESTA: positivo

EJEMPLO: De momento me está encantando. Con un poquito cunde mucho. Ilumina y nutre el rostro.
RESPUESTA: positivo

EJEMPLO: No soy capaz de ponerlo en funcionamiento. Poner hora..., y de más funciones. El móvil no pilla el reloj. Ayuda!!!!!!!!
RESPUESTA:


MODEL OUTPUT

 el móvil no tiene el reloj.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.


EJEMPLO: Su estabilidad es muy buena, al igual que su uso. Pesa poco y ofrece mucha seguridad. Ideal para llegar a cualquier sitio normal.
RESPUESTA: positivo

EJEMPLO: Entretenido pero preguntas muy difíciles para los niños y los que no son tan niños
RESPUESTA: neutro

EJEMPLO: A los 3-4 dias dd haber llegado el telefono, la camara trasera dejo de funcionar. Me puse en contacto con ellos para tramitar un cambio, pero me pedian que devolviera este primero y luego ellos me mandaban otro, por lo que me quedaba sin movil, creo que lo mas conveniente es igual que viene el mensajero a traerme uno nuevo, a ma vez que se lleve el estropeado... no me podia quedar sin movil ya que solo tengo este y lo necesito. A dia de hoy todavía ando con el movil sin camara trasera... un desastre. NO LO RECOMIENDO PARA NADA!
RESPUESTA: negativo

EJEMPLO: Pues efectivamente como ponen comentarios anteriores ....duro el rollo 30 minutos si es q llego, recambios no encuentras, una decepción total. Lo triste es q lo pidió mi niña de 4 años para Reyes y ahora q hace con eso? Pongo una estrella pq no me deja poner cero.
RESPUESTA: negativo

EJEMPLO: La funda no esta mal, pero en la parte trasera vienen 4 apoyos blancos, uno de ellos venia muy mal pegado y al segundo día lo perdí.Me esperaba mas por su precio.
RESPUESTA: neutro

EJEMPLO: Mi hija está encantada , con 6 años tiene las uñas pequeñas todavía y le quedan muy justas las calcomanías pero ella está encantada
RESPUESTA: positivo

EJEMPLO: El cristal se adhiere por adhesivo, no por estática. La primera vez que se me cayo, se movio. La segunda se desprendió y quedó inutilizable sin llegar a romperse. Defraudado.
RESPUESTA: negativo

EJEMPLO: De facil lectura es una interesante propuesta de actividades para que en especial los niños disfruten de un verano lleno de originales actividades que le hagan crecer divirtiéndose. También interesante propuesta para nosotros los adultos para conectar con ese niño que llevamos dentro.
RESPUESTA: positivo

EJEMPLO: los llaveros son de plástico finito,pero por el precio no se puede pedir más .Las pulseras tallan un poco grande para niños
RESPUESTA: neutro

EJEMPLO: A mí no me las ha dejado muy limpias...o no se usarlo bien o no es tan efectivo como dicen.
RESPUESTA: neutro

EJEMPLO: La compré para mi sobrino de 4 años y le encantó. La parte delantera es dura y atrás normal, por lo que si quieres guardarla se puede plegar fácilmente. Es de tamaño medio, lo normal para un niño pequeño. Para adultos no la veo.
RESPUESTA:


MODEL OUTPUT

 el compré para mi sobrino de 4 aos y le encantó. La parte delantera es dura y atrás normal, por lo que si quieres guardarla se puede plegar


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.


EJEMPLO: Cómodo y muy bien la Calidad precio
RESPUESTA: positivo

EJEMPLO: No puedo opinar sobre cómo va el producto apenas me acaba de llegar . Pero opino sobre la rapidez del envío. Me ha llegado antes de Lo previsto. Gracias
RESPUESTA: neutro

EJEMPLO: Muy buena calidad. Envio rápido y correcto.
RESPUESTA: positivo

EJEMPLO: Cumple sin más, relación calidad/precio aceptable. Fácil de instalar. La verdad que hay otras opciones que me parecen mejor, pero no está mal.
RESPUESTA: neutro

EJEMPLO: Cumplen satisfactoriamente con la función. Se pueden recortar y son gruesas. Buena relación calidad precio
RESPUESTA: positivo

EJEMPLO: La relación calidad precio es correcta. Un modelo para principiantes en esta afición. En general correcto
RESPUESTA: neutro

EJEMPLO: Excelente material y rapidez en el envio. Recomiendo
RESPUESTA: positivo

EJEMPLO: Estan bien por el precio, pero alguna me hace algun parpadeo rapido al encender, no siempre. A ver si no tengo que cambiar alguna, de momento, aceptable, ni bueno, ni malo.
RESPUESTA: neutro

EJEMPLO: Muy buena relación calidad precio aparentemente, habrá que utilizarlos para saber si el resultado es bueno a largo plazo , esperaremos
RESPUESTA: positivo

EJEMPLO: es perfecto muy práctico y no provocan molestias al llevarlos. llego correcto y bien embalado en la fecha prevista, buena calidad - precio. buena compra.
RESPUESTA: positivo

EJEMPLO: buena relación precio calidad,envio rápido
RESPUESTA:


MODEL OUTPUT

 positive


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.


EJEMPLO: Es un buen cinturón, estoy contento con el, se le ve de buen material y funciona de manera perfecta, contento.
RESPUESTA: positivo

EJEMPLO: Por lo que cuesta, no está mal, recomendable su compra, como producto asequible.
RESPUESTA: neutro

EJEMPLO: Bien, en cuanto a que cubre perfectamente prácticamente toda la pantalla, encajando casi a la perfección en todos los agujeros, pero...quedan reflejos tipo espejo, habrá personas que esto no les suponga ninguna molestia, pero para mi es bastante molesto, una lástima porque por lo demás está muy bien, pero esto último para mi es determinante, el anterior no cubría tan bien pero no reflejaba de esta manera, siendo más cómodo para la vista.
RESPUESTA: neutro

EJEMPLO: Cumplen satisfactoriamente con la función. Se pueden recortar y son gruesas. Buena relación calidad precio
RESPUESTA: positivo

EJEMPLO: Lo compré para un regalo y será utilizado con un iPhone X. No he tenido la oportunidad de probarlo con dicho teléfono, pero puedo hablar de la excelente calidad de los materiales, es pesado, se siente firme y tiene franjas con goma tanto en la parte superior para que el teléfono no se deslice y en su parte inferior para que no se deslice sobre la superficie donde se ubica. Sólo lo he conectado para probar las luces (azules) y si colocas un dispositivo para cargar, estás parpadean muy lentamente unas 5 veces y luego se apagan definitivamente, cosa que es de agradecer si lo vas a usar en tu mesa de noche. Por ahora lo recomiendo estéticamente, luego informaré de su funcionamiento.
RESPUESTA: positivo

EJEMPLO: Mejor de lo que esperaba, tiene buena capacidad y queda perfecto. Es más grande de lo que esperaba. Por fin el vidrio está ordenado.
RESPUESTA: positivo

EJEMPLO: Tuve que devolver el producto porque llegó averiado, no se encendía. Afortunadamente el servicio de devolución de AMAZON funcionó perfectamente.
RESPUESTA: negativo

EJEMPLO: Lo que no me a gustado es que no traiga un folleto de información del sistema de cómo funciona
RESPUESTA: negativo

EJEMPLO: Es un espejo sencillo, cumple su función para ver al bebé y es fácil de instalar. Contenta con la compra.
RESPUESTA: neutro

EJEMPLO: No me gusta las pocas especificaciones del producto y las etiquetas arrancadas, eso no me ha gustado.
RESPUESTA: neutro

EJEMPLO: Lo tenemos hace varias semanas y su funcionamiento es perfecto. Compra realizada por recomendación especializada Un aparato que cubre con su función sobradamente, preciso y de fácil manejo.
RESPUESTA:


MODEL OUTPUT




PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.


EJEMPLO: El botón no funciona, con lo cual si quieres pararlo, necesitas quitarle las pilas. No lo recomiendo.
RESPUESTA: negativo

EJEMPLO: Queda un poco holgada para una cama de 150, no se ajusta del todo. El blanco no es que sea muy blanco y estas sábanas de Amazon Basics tienen todas mucha electricidad estática, recomiendo lavarlas antes de ponerlas, si no, producen muchas chispas.
RESPUESTA: neutro

EJEMPLO: Se le caen los brillantes y andan por donde pase la niña. Que termina quedándose feo, solo con la manchita del pegamento donde venia el brillante que es como una lentejuela
RESPUESTA: neutro

EJEMPLO: Hola buenas, me llego el reloj el dia 11 y no funciona bien, le tocas para ver la hora o ponerlo en marcha y va cuando quiere, le tienes que dar muchisimas veces. Lo que deseo saber es como hacer la devolución y que me enviarán otro en perfecto estado. Gracias Atentamente Paqui
RESPUESTA: negativo

EJEMPLO: No sale ni una gota con las dos que no vienen numeradas. Con la del número 2 que tenía en casa si pasan los cereales, y con las otras dos que son el número 4, no hay manera. Estoy por abrirle con una cuchilla.... Dinero tirado a la basura.
RESPUESTA: negativo

EJEMPLO: Bueno en la oferta se incluían 5 piezas para soporte que no llegaron con el paquete
RESPUESTA: neutro

EJEMPLO: Estaria bien que fuese mas largo el hueco pars que no se quede tsn colgado el pints labios. Cumple su funcion si no tienes mucho dinero.
RESPUESTA: neutro

EJEMPLO: No están mal y se mantienen bastante pero tiene brillantina y es lo que no me gusta y no compraré más por ese motivo
RESPUESTA: neutro

EJEMPLO: En poco tiempo el asa que sube y baja ya no funciona correctamente. Estoy decepcionada, ya que era para utilizar todas las semanas.
RESPUESTA: neutro

EJEMPLO: No me ha gustado nada porque parece un libro de un niño pequeño, portada bonita pero cuando lo abres... no lo volvería a comprar nunca.
RESPUESTA: negativo

EJEMPLO: Cuando leí su venta, hablan de que el disco es de 125, pues bien el Disco No lo mandan, es un fallo no decirlo ya que llama a equivocación, si llego a saber que no lo traía no lo hubiese comprado.
RESPUESTA:


MODEL OUTPUT

 Qué es el disco de 125, pues bien el disco no mandan, es una nmero no decirlo ya que llama equivocación, si llam


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.


EJEMPLO: Lo siento pero solamente por lo mal que ha resultado el envío con MRW y el tiempo que me han hecho perder para poder tener el paquete no volvería a comprarlo.
RESPUESTA: negativo

EJEMPLO: Llego en el tiempo previsto
RESPUESTA: neutro

EJEMPLO: Envío rápido pero la bolsa viene sin caja ( en otras tiendas online viene mejor empaquetado) y por consecuencia la bolsa tenía varios puntos con agujeros... La comida está en buen estado pero ya no te da la misma confianza. Fecha de caducidad correcta.
RESPUESTA: neutro

EJEMPLO: La funda para el sofá es muy fina. El material no transmite sensación de que vaya a durar en el tiempo, pero por el precio que tiene no podría pedirse algo mejor, o si?. Compré una funda de marca para la barbacoa y comprado con esta es de risa. En principio hace de repelente de agua, pero no lo he probado con lluvia torrencial, lo he probado tirándole un poco de agua en una zona con un vaso. Habría que volver a valorar esta funda con el paso del tiempo para ver si merece la pena o no su compra.
RESPUESTA: neutro

EJEMPLO: El sonido me a parecido bastante decente pero me hacen daño en las orejas después de un tiempo puestos. Los he devuelto
RESPUESTA: neutro

EJEMPLO: Para empezar, si el tiempo de envío es largo, el producto se retrasa por problema de aduanas. Solicitó la devolución, ya que es para un regalo y ante la tardanza han adquirido una prenda similar en otro sitio. Amazon me pone en contacto con el vendedor, el cual no facilita la devolución. Mientras tanto recibo el paquete y cuál es mi sorpresa que el artículo q me envían es un bolso negro, una especie de portafolios pero que nada tiene que ver con el sujetador de lactancia que encargue. Sigo en contacto con el vendedor, que aún sigue sin darme ninguna solución.
RESPUESTA: negativo

EJEMPLO: En poco tiempo el asa que sube y baja ya no funciona correctamente. Estoy decepcionada, ya que era para utilizar todas las semanas.
RESPUESTA: neutro

EJEMPLO: EL PRODUCTO ES LO QUE QUERIA .PERO CON QUIEN ESTOY ENCANTADA ES CON LA TIENDA EN LA QUE LO COMPRE. ME ATENDIERON DOS CHICOS SUPER AGRADABLES Y QUE ME SOLUCIONARON TODAS MIS DUDAS Y ME FACILITARON TODAS LAS GESTIONES DE ENTREGA Y REPOSICION DE OTRO MOVIL PORQUE EL PRIMERO AL HACER ACTUALIZACION SE ESTROPEO.
RESPUESTA: positivo

EJEMPLO: Todo perfecto por lo que vale.
RESPUESTA: positivo

EJEMPLO: Poco serio no me llegado nada... vivo una dirección única todos los datos bien puestos buzón único por más que me pongo en contacto no me contesta para darme una explicación
RESPUESTA: negativo

EJEMPLO: Vino en su tiempo pero dañado en algunas zonas. Hablé con el vendedor y me quiso dar solución, pero no podía estar sin ello más tiempo
RESPUESTA:


MODEL OUTPUT

 el vendedor y yo sigue sin darme ninguna solución.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.


EJEMPLO: Mi hija está encantada , con 6 años tiene las uñas pequeñas todavía y le quedan muy justas las calcomanías pero ella está encantada
RESPUESTA: positivo

EJEMPLO: ha salido con defecto, en llamadas salientes no se oye al interlocutor, lo cambie por otro igual y he tenido el mismo problema
RESPUESTA: negativo

EJEMPLO: No me la han enviado y me lo confirmaron 40 días más tarde y porque yo me preocupé. Mal servicio y atención
RESPUESTA: negativo

EJEMPLO: Me ha encantado lo fácil que es de usar, con las instrucciones claras y entre 45 minutos y 60 minutos te deja la piel como el tercio pelo. En unos meses repetire para tener los pies perfectos como las manos, que además parece la piel de los bebes.
RESPUESTA: positivo

EJEMPLO: Aún no lo he probado. Algo malo es que vienen las instrucciones en inglés y nada en español.
RESPUESTA: neutro

EJEMPLO: El cristal se adhiere por adhesivo, no por estática. La primera vez que se me cayo, se movio. La segunda se desprendió y quedó inutilizable sin llegar a romperse. Defraudado.
RESPUESTA: negativo

EJEMPLO: No me ha gustado nada porque parece un libro de un niño pequeño, portada bonita pero cuando lo abres... no lo volvería a comprar nunca.
RESPUESTA: negativo

EJEMPLO: Una de las copas está rota y he pedido doce, no me da la opción de reembolso de una caja de 6 y tengo que devolver las 12
RESPUESTA: negativo

EJEMPLO: Hola buenas, me llego el reloj el dia 11 y no funciona bien, le tocas para ver la hora o ponerlo en marcha y va cuando quiere, le tienes que dar muchisimas veces. Lo que deseo saber es como hacer la devolución y que me enviarán otro en perfecto estado. Gracias Atentamente Paqui
RESPUESTA: negativo

EJEMPLO: A los 3-4 dias dd haber llegado el telefono, la camara trasera dejo de funcionar. Me puse en contacto con ellos para tramitar un cambio, pero me pedian que devolviera este primero y luego ellos me mandaban otro, por lo que me quedaba sin movil, creo que lo mas conveniente es igual que viene el mensajero a traerme uno nuevo, a ma vez que se lleve el estropeado... no me podia quedar sin movil ya que solo tengo este y lo necesito. A dia de hoy todavía ando con el movil sin camara trasera... un desastre. NO LO RECOMIENDO PARA NADA!
RESPUESTA: negativo

EJEMPLO: Es un timo, la descripción es falsa. No son 20 w, en la caja directamente pone ya 5 w cuando lo abres y al escucharlo por primera vez te das cuenta que es así porque suena muy muy bajo.
RESPUESTA:


MODEL OUTPUT

 Qué es un timo, la descripción es falsa. No son 20 w, en la caja directamente pone ya 5 w cuando lo abres y al escucharlo por primer


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.


EJEMPLO: Aparentemente tiene muy buena calidad y un gran precio para venir tres protectores. Ningún problema a nivel táctil muy transparente, del tamaño exacto para la pantalla. Sin embargo, el primero no fui capaz de que se adhiriera a la pantalla (quedaba despegado la mitad); pensé que era mi inexperiencia. El segundo quedó ya mejor, pero aún y todo, no adherido del todo. Y ahí ya no es por exceso de confianza. Gracias a que uso una funda tipo libro la pantalla no queda expuesta y he reservado el tercer protector para más adelante.
RESPUESTA: neutro

EJEMPLO: No están mal aunque son enormes, yo e cortado la parte de los aros y las puse en la parte trasera ya que sino ocupa mucho espacio.
RESPUESTA: neutro

EJEMPLO: Molde resistente y bueno. No pesa nada. Muy práctico.
RESPUESTA: positivo

EJEMPLO: Un desastre de producto. Los globos imposibles de inchar, sin instrucciones, Valvulas imposibles y que se rompen. No lo recomiendo en absoluto.
RESPUESTA: negativo

EJEMPLO: Máscaras muy sencillas, pero hacen su función, la parte de los ojos difícil de ver con ella puesta.
RESPUESTA: neutro

EJEMPLO: He probado varios auriculares ya. Estos sin duda son los que mejor resultado dan en cuanto a sonido y comodidad se refiere. Totalmente recomendable.
RESPUESTA: positivo

EJEMPLO: Una de las gomas se ha estropeado muy pronto y uno de los botones también. Según mi experiencia, no me ha durado ni 2 meses. No compensa, se rompe con facilidad.
RESPUESTA: negativo

EJEMPLO: es perfecto muy práctico y no provocan molestias al llevarlos. llego correcto y bien embalado en la fecha prevista, buena calidad - precio. buena compra.
RESPUESTA: positivo

EJEMPLO: En las caracteristicas se indica que son tres piezas pero en el paquete solo vienen dos. No se si trata de un error o de mucho morro.
RESPUESTA: negativo

EJEMPLO: Es un regalo para la profesora..todo perfecto!!
RESPUESTA: positivo

EJEMPLO: No me han llegado los protectores de esquinas y faltan un par de bloqueadores de puertas... supongo que sea un error. un saludo
RESPUESTA:


MODEL OUTPUT

 a tarea de clasificación de texto


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.


EJEMPLO: Después de unos meses de uso cumple su función. Materiales y acabados buenos, lo que no me gusta es que la ventana es muy oscura y cuesta ver la hora
RESPUESTA: neutro

EJEMPLO: Cumple con lo indicado
RESPUESTA: positivo

EJEMPLO: Todo perfecto, gran calidad a un gran precio y dificil de encontrar por llevar el destornillador en lugar del sacacorchos.
RESPUESTA: positivo

EJEMPLO: Un desastre de producto. Los globos imposibles de inchar, sin instrucciones, Valvulas imposibles y que se rompen. No lo recomiendo en absoluto.
RESPUESTA: negativo

EJEMPLO: En realidad no es muy ligero, pero tampoco es algo que incomode por el grosor que aporta al móvil.
RESPUESTA: neutro

EJEMPLO: La parte de abajo no está mal pero el sujetador de copa me va bien pero las cintas para atarlo son muy largas
RESPUESTA: negativo

EJEMPLO: Es una maravilla nos ha llegado super rapido y mis hijos estan encantados construyendo toda clase de cosas,me parece un juego muy didactico y que les ayuda a pensar y desarrollar su creatividad, en mi caso buscaba algo asi y he acertado Los materiales son muy buenos
RESPUESTA: positivo

EJEMPLO: Es un espejo sencillo, cumple su función para ver al bebé y es fácil de instalar. Contenta con la compra.
RESPUESTA: neutro

EJEMPLO: Es suave y como de poner
RESPUESTA: positivo

EJEMPLO: Es genial este producto, desde que lo tengo no he vuelto a fregar los platos con las manos al descubierto. Tiene muchas ventajas, la primera a destacar es la higiene, si no quieres mancharte o mojarte las manos, este es el producto ideal. La segunda a destacar, es que puedes utilizarlo para fregar con agua fría si no quieres gastar agua caliente. Eso si, antes de utilizarlos, hay que lavarlos.
RESPUESTA: positivo

EJEMPLO: cumple su función de apilar muchas latas y su consumo por orden de entrada, pero le falta algo al diseño porque si no se hace con cuidado, las latas se desbordan y caen, y por otro lado la zona superior debería cumplir mejor su misión de estante porque al colocar algo encima tiende a caerse por el fondo y obstaculiza el movimiento de las latas de la fila superior.
RESPUESTA:


MODEL OUTPUT

 c) c) d) d) d) d) d) d) d) d) d) d) d) d) d) d) d) d) d) d) d)


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.


EJEMPLO: En poco tiempo el asa que sube y baja ya no funciona correctamente. Estoy decepcionada, ya que era para utilizar todas las semanas.
RESPUESTA: neutro

EJEMPLO: Es de papel muy delicado.Al abrirla se rompio un poco pero luego no se nota, no incluye ningun cable ni rosca para la bombilla, tienes que comprarlo aparte.
RESPUESTA: neutro

EJEMPLO: SIEMPRE LO COMPRO, PERO LO MALO ES EL PRECIO, MUY CARO Y CADA VEZ LO SUBEN MAS DE PRECIO CUANDO SON UNAS PEGATINAS. NO OBSTANTE, HACEN SU USO, PERO SOLO POR UNOS DIAS ESCASOS... AUN ASI ES UNA NOVEDAD
RESPUESTA: neutro

EJEMPLO: Después de un año de tenerlas, muy contenta. Tras varios lavados y secadoras no tiene bolitas. Muy buena calidad. Lo único que la funda de cojín es demasiado grande para mi gusto.
RESPUESTA: positivo

EJEMPLO: Llego una semana despues de lo.acordado y encima me lo quieren cobrar mada huevos,
RESPUESTA: negativo

EJEMPLO: Lo compré para un regalo y será utilizado con un iPhone X. No he tenido la oportunidad de probarlo con dicho teléfono, pero puedo hablar de la excelente calidad de los materiales, es pesado, se siente firme y tiene franjas con goma tanto en la parte superior para que el teléfono no se deslice y en su parte inferior para que no se deslice sobre la superficie donde se ubica. Sólo lo he conectado para probar las luces (azules) y si colocas un dispositivo para cargar, estás parpadean muy lentamente unas 5 veces y luego se apagan definitivamente, cosa que es de agradecer si lo vas a usar en tu mesa de noche. Por ahora lo recomiendo estéticamente, luego informaré de su funcionamiento.
RESPUESTA: positivo

EJEMPLO: Todavía no he tenido tiempo de probarlo, a tener en cuenta que no lleva pilas, hay que comprarlas , son de las pequeñas no de las de boton sino de las otras.
RESPUESTA: neutro

EJEMPLO: Lo siento pero solamente por lo mal que ha resultado el envío con MRW y el tiempo que me han hecho perder para poder tener el paquete no volvería a comprarlo.
RESPUESTA: negativo

EJEMPLO: Le había dado cinco estrellas y una opinión muy positiva, el aparato funcionó bien mientras funcionó, el problema es que funcionó poco tiempo. Hoy, apenas tres meses después de adquirirlo, he ido a encenderlo y en lugar de arrancar se ha quedado parado. Unos segundos más tarde ha soltado un chispazo y ahí se ha quedado. No se le ha dado ningún golpe, ni se ha usado para nada distinto a su finalidad, así que la única explicación lógica es que viniera defectuoso de fábrica. Amazon me va a reembolsar el importe en garantía en cuanto lo devuelva, así que por ese lado no tengo queja.
RESPUESTA: negativo

EJEMPLO: 3 estrellas porque llegó tarde y no en la fecha prevista.Como no el reparto tenía que ser con Seur.En cuanto a la mochila es tal y como la ves,ni más ni menos.
RESPUESTA: neutro

EJEMPLO: Funciona genial. Hemos tenido suerte y hemos podido escuchar al bebé desde la semana 10. Estaba un poco indecisa a comprarlo por su alto precio en comparación a otros dispositivos, pero creo que merece la pena. (Es muy cómodo que sea sin cables y sin pilas. Además puedes grabar los latidos). Muy satisfecha con la compra.
RESPUESTA:


MODEL OUTPUT

 M


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.


EJEMPLO: Un poquito escaso pero funciona , hay que seguir bien todos los pasos
RESPUESTA: positivo

EJEMPLO: Es de papel muy delicado.Al abrirla se rompio un poco pero luego no se nota, no incluye ningun cable ni rosca para la bombilla, tienes que comprarlo aparte.
RESPUESTA: neutro

EJEMPLO: no me llego el pedido
RESPUESTA: negativo

EJEMPLO: Es pequeño, silencioso y no pesa nada. Lo uso para calentar una habitación de tamaño medio y a los 10 minutos (a máxima potencia) tengo que apagarlo porque hace calor. Genial.
RESPUESTA: positivo

EJEMPLO: Para el colegio son perfectos.Duran mucho tiempo.Llegaron antes de tiempo.
RESPUESTA: positivo

EJEMPLO: Llego una semana despues de lo.acordado y encima me lo quieren cobrar mada huevos,
RESPUESTA: negativo

EJEMPLO: No lo recomiendo!!! envío fue rápido .. pero muñeca tiene un ojito mal pintada ..estoy muy decepcionada con la compra deberían revisar los envíos antes de empaquetarlos
RESPUESTA: negativo

EJEMPLO: Encaja a la perfección
RESPUESTA: positivo

EJEMPLO: Está bien para el precio que tiene, no sirve para llevar cosas frías, el tamaño es un poco justo, caben dos tuppers pequeños y una lata
RESPUESTA: neutro

EJEMPLO: Lo siento pero solamente por lo mal que ha resultado el envío con MRW y el tiempo que me han hecho perder para poder tener el paquete no volvería a comprarlo.
RESPUESTA: negativo

EJEMPLO: Para una urgencia que no encuentres los de Catit bien, pero para poco tiempo
RESPUESTA:


MODEL OUTPUT

 Para una urgencia que no encuentres los de Catit bien, pero para poco tiempo


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.


EJEMPLO: A mí no me las ha dejado muy limpias...o no se usarlo bien o no es tan efectivo como dicen.
RESPUESTA: neutro

EJEMPLO: Estaria bien que fuese mas largo el hueco pars que no se quede tsn colgado el pints labios. Cumple su funcion si no tienes mucho dinero.
RESPUESTA: neutro

EJEMPLO: bien te lo traen a casa y listo a funcionar
RESPUESTA: neutro

EJEMPLO: Funciona bien pero se nota que la calidad no es la de la original.
RESPUESTA: neutro

EJEMPLO: Me ha gustado porque tiene una buena estructura y gran capacidad para guardar ropa, calzado...
RESPUESTA: positivo

EJEMPLO: No lo envían en caja. Se me deformó. Me devolvieron el dinero
RESPUESTA: negativo

EJEMPLO: Poco serio no me llegado nada... vivo una dirección única todos los datos bien puestos buzón único por más que me pongo en contacto no me contesta para darme una explicación
RESPUESTA: negativo

EJEMPLO: No me ha gustado nada porque parece un libro de un niño pequeño, portada bonita pero cuando lo abres... no lo volvería a comprar nunca.
RESPUESTA: negativo

EJEMPLO: Pense que por el precio tan barato no iba a ser muy bueno pero todl lo contrario. Lo puse en la parte trasera moto y me va super bien y soy mas visible.
RESPUESTA: positivo

EJEMPLO: En una primera instancia llego defectuoso, pero me lo cambiaron sin problema y funciona bien.
RESPUESTA: neutro

EJEMPLO: No me esperaba que funcionara tan bien,te salva en cualquier sitio de comer caliente!!.
RESPUESTA:


MODEL OUTPUT

 eso es tu tarea de clasificación de texto. EJEMPLO: No esperaba que funcionara tan bien,te salvar en cualquier sitio de comer caliente


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.


EJEMPLO: Cómodo y muy bien la Calidad precio
RESPUESTA: positivo

EJEMPLO: Està bien para el precio que tiene
RESPUESTA: neutro

EJEMPLO: Sirve, pero no tiene mucha calidad
RESPUESTA: neutro

EJEMPLO: Perfecto a un precio increíble
RESPUESTA: positivo

EJEMPLO: Cumple sin más, relación calidad/precio aceptable. Fácil de instalar. La verdad que hay otras opciones que me parecen mejor, pero no está mal.
RESPUESTA: neutro

EJEMPLO: Pense que por el precio tan barato no iba a ser muy bueno pero todl lo contrario. Lo puse en la parte trasera moto y me va super bien y soy mas visible.
RESPUESTA: positivo

EJEMPLO: Calidad y buen precio
RESPUESTA: neutro

EJEMPLO: Muy bonitas y el precio genial
RESPUESTA: positivo

EJEMPLO: És un aparato que calidad precio no se puede pedir nada más, no tiene sorpresa,és un aparato sencillo
RESPUESTA: neutro

EJEMPLO: Muy buena calidad. Lo recomiendo.
RESPUESTA: positivo

EJEMPLO: Bien calidad precio.
RESPUESTA:


MODEL OUTPUT

 Qué calidad precio?


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.


EJEMPLO: Lo compré en una oferta del black-friday para algún regalo, y al final me lo quedé para los niños, es asequible y tiene muchas piezas para entretenerse con los imanes.
RESPUESTA: neutro

EJEMPLO: Funciona bien, pero a veces apretando se suelta.
RESPUESTA: neutro

EJEMPLO: Chulísimo,a la niña del cumple le ha encantado
RESPUESTA: positivo

EJEMPLO: los llaveros son de plástico finito,pero por el precio no se puede pedir más .Las pulseras tallan un poco grande para niños
RESPUESTA: neutro

EJEMPLO: Lo compre pensando en conectar para transmisión de datos y solo sirve para cargar la batería. Para esto último es práctico. Pero si lo quieres para otra cosa no vale.
RESPUESTA: neutro

EJEMPLO: Es un rollo para ponerlo en marcha...
RESPUESTA: neutro

EJEMPLO: No me ha gustado nada porque parece un libro de un niño pequeño, portada bonita pero cuando lo abres... no lo volvería a comprar nunca.
RESPUESTA: negativo

EJEMPLO: Entretenido pero preguntas muy difíciles para los niños y los que no son tan niños
RESPUESTA: neutro

EJEMPLO: bien te lo traen a casa y listo a funcionar
RESPUESTA: neutro

EJEMPLO: Muy buen altas. Fue un regalo para una niña de 9 años y le gustó mucho
RESPUESTA: positivo

EJEMPLO: Todo biem lo compre para una fiesta de niños
RESPUESTA:


MODEL OUTPUT

 es asequible y tiene muchas piezas para entretener con los imanes.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.


EJEMPLO: Para el precio esta bien,el pegamento de las pegatinas no es el mejor,hay que hacer bastante presión y pegarla varias veces. Pero para el precio y la cantidad están bien.
RESPUESTA: neutro

EJEMPLO: Se limpia bien pero las plantillas que incluye son pegatinas, vamos que tienen pocos usos, deberían ser de otro material más resistente
RESPUESTA: neutro

EJEMPLO: A mi hija la ha encantado. Viene además 2 hojas con pegatinas de estrellas, círculos y formas pequeñas en color rojo y plata y se lo ha pasado genial pintando y pegándolas.
RESPUESTA: positivo

EJEMPLO: Lo compré para fijar una alfombra al suelo. Adhiere bien a la baldosa, pero no se pega completamente a la parte engomada de la alfombra. De todas formas, por el precio que tienen los 8 metros, no me arrepiento de la compra. Si veo que se mueve, lo coseré a la alfombra y problema resuelto. La entrega rápida y sin problemas.
RESPUESTA: neutro

EJEMPLO: Alumbran bien. Pero la cinta adhesiva pega muy poco. Nose si podrían enviar otra de mejor calidad. Gracias
RESPUESTA: neutro

EJEMPLO: Edición muy cuidada. Tiene buen sonido y me llegó muy rápido. En perfecto estado, sin ningún rasguño. A día de hoy no tengo ninguna pega. Además es muy original, destaca entre toda la colección de vinilos.
RESPUESTA: positivo

EJEMPLO: Es bastante rígido, aunque le falta peso para una pegada dura.Muy buen material.
RESPUESTA: neutro

EJEMPLO: Hola, el producto me parece muy bueno pero solicité su devolución y nunca vienieron. la empresa con la que trabajan de envío no es buena.
RESPUESTA: neutro

EJEMPLO: El estampador no sirve, no se pega ningún esmalte. Mi mujer ha tenido que comprar otro a parte.
RESPUESTA: neutro

EJEMPLO: Después de un año de tenerlas, muy contenta. Tras varios lavados y secadoras no tiene bolitas. Muy buena calidad. Lo único que la funda de cojín es demasiado grande para mi gusto.
RESPUESTA: positivo

EJEMPLO: Muy buen precio por la cantidad de pegatinas que ofrece. Hace tiempo compré una pegatina para el coche y costaba prácticamente lo mismo, mientras que ahora tengo 300 y puedo utilizarla para multitud de cosas. Muy contento la verdad, vienen pegatinas de marcas, de dibujos animados, de todo tipo.
RESPUESTA:


MODEL OUTPUT

 ltimo precio de la cantidad de pegatinas que ofrece. Hace ao compré una pegatina para el coche y costaba prácticamente lo mismo, mientras


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.


EJEMPLO: Es muy pequeña y tardó bastante en llegar. Pienso que es una pieza más para aire que para agua. El paso es muy pequeño.
RESPUESTA: neutro

EJEMPLO: No me gusta nada de nada....pero es lo que quiere mi hija. Lo espera con ilusión....así que....bueno. Me parece un juguete muy caro para lo que es.
RESPUESTA: negativo

EJEMPLO: Yo usaba el tamaño slim que compraba en el estanco y pensaba que estos eran iguales pero no, son aún más cortos. Yo uso una liadora manual y ya me apaño pero para quien los lie a mano necesitará práctica. Por lo demás, relación cantidad-precio excelente.
RESPUESTA: neutro

EJEMPLO: Esta bien, es fino, queda mas grande de lo que se indica en el tallaje. El gorro también es grande.
RESPUESTA: neutro

EJEMPLO: El unico problema que tiene es que los hielos son un poco pequeños y que la tapa no queda bien sujeta.
RESPUESTA: positivo

EJEMPLO: Está bien para el precio que tiene, no sirve para llevar cosas frías, el tamaño es un poco justo, caben dos tuppers pequeños y una lata
RESPUESTA: neutro

EJEMPLO: Después de unos meses de uso cumple su función. Materiales y acabados buenos, lo que no me gusta es que la ventana es muy oscura y cuesta ver la hora
RESPUESTA: neutro

EJEMPLO: Buena succión de aire. Lo usé para sustituir el que tenía con las mismas medidas
RESPUESTA: neutro

EJEMPLO: Hice pan y la verdad es que va muy bien!
RESPUESTA: positivo

EJEMPLO: Mejor de lo que esperaba, tiene buena capacidad y queda perfecto. Es más grande de lo que esperaba. Por fin el vidrio está ordenado.
RESPUESTA: positivo

EJEMPLO: El tamaño está muy bien, es lo que esperaba. El pero que le pongo es que pierde aire aunque no esté pinchado. Al cabo de menos de una hora ya no está bien hinchada y hay que volver a meterle aire, pero vamos, bastante bien.
RESPUESTA:


MODEL OUTPUT

 eso es lo que es que es que es que es que es que es que es que es que es que es que es que es que es que e


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.


EJEMPLO: Es un rollo para ponerlo en marcha...
RESPUESTA: neutro

EJEMPLO: Ha venido con el cerdito suelto y limado en ciertas zonas, la caja obviamente rota. Si lo quieres para exponer, exige mayor cuidado a la hora de la compra.
RESPUESTA: neutro

EJEMPLO: Es lo que buscaba, además viene en milímetros y no en centímetros.
RESPUESTA: positivo

EJEMPLO: de momento parece que cumple su cometido lo he probado un par de veces con distintas chapas y parece que va bien
RESPUESTA: neutro

EJEMPLO: Lo volvería a comprar
RESPUESTA: positivo

EJEMPLO: En la pagina pone que se envian 2 pares y solo llega uno.
RESPUESTA: neutro

EJEMPLO: Venía roto, tuve que pegar la cenefa con cola blanca porque venía rota además es super endeble.no recomiendo la compra
RESPUESTA: negativo

EJEMPLO: Funciona bien, pero a veces apretando se suelta.
RESPUESTA: neutro

EJEMPLO: El protector de pantalla llegó un poco roto.
RESPUESTA: neutro

EJEMPLO: Aun lo pruebo, a ver como me va
RESPUESTA: neutro

EJEMPLO: En el primer viaje se le ha roto una rueda.
RESPUESTA:


MODEL OUTPUT

 en el primer viaje se le ha roto una rueda.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.


EJEMPLO: Está bien para el precio que tiene, no sirve para llevar cosas frías, el tamaño es un poco justo, caben dos tuppers pequeños y una lata
RESPUESTA: neutro

EJEMPLO: Cumple sin más, relación calidad/precio aceptable. Fácil de instalar. La verdad que hay otras opciones que me parecen mejor, pero no está mal.
RESPUESTA: neutro

EJEMPLO: No lo recomiendo!!! envío fue rápido .. pero muñeca tiene un ojito mal pintada ..estoy muy decepcionada con la compra deberían revisar los envíos antes de empaquetarlos
RESPUESTA: negativo

EJEMPLO: Me ha gustado mucho el producto. El diseño y calidad muy buenos. El pedido llegó muy rapido. Me ha encantado
RESPUESTA: positivo

EJEMPLO: La funda no esta mal, pero en la parte trasera vienen 4 apoyos blancos, uno de ellos venia muy mal pegado y al segundo día lo perdí.Me esperaba mas por su precio.
RESPUESTA: neutro

EJEMPLO: Estan bien por el precio, pero alguna me hace algun parpadeo rapido al encender, no siempre. A ver si no tengo que cambiar alguna, de momento, aceptable, ni bueno, ni malo.
RESPUESTA: neutro

EJEMPLO: La funda para el sofá es muy fina. El material no transmite sensación de que vaya a durar en el tiempo, pero por el precio que tiene no podría pedirse algo mejor, o si?. Compré una funda de marca para la barbacoa y comprado con esta es de risa. En principio hace de repelente de agua, pero no lo he probado con lluvia torrencial, lo he probado tirándole un poco de agua en una zona con un vaso. Habría que volver a valorar esta funda con el paso del tiempo para ver si merece la pena o no su compra.
RESPUESTA: neutro

EJEMPLO: Muy practico.Pero cuando hay sol no ves absolutamente nada.Las pulsaciones tampoco las marca bien.Pero por el precio no se puede pedir mas
RESPUESTA: neutro

EJEMPLO: SIEMPRE LO COMPRO, PERO LO MALO ES EL PRECIO, MUY CARO Y CADA VEZ LO SUBEN MAS DE PRECIO CUANDO SON UNAS PEGATINAS. NO OBSTANTE, HACEN SU USO, PERO SOLO POR UNOS DIAS ESCASOS... AUN ASI ES UNA NOVEDAD
RESPUESTA: neutro

EJEMPLO: Es bastante simple y no trae muchas cosas pero más completo que otros que he visto más caros. Para el precio está bien.
RESPUESTA: neutro

EJEMPLO: No esta mal ,tiene un precio razonable.La entrega a sido rápida y en buenas condiciones,esto bastante contenta con mi pedido
RESPUESTA:


MODEL OUTPUT

 positive EJEMPLO: No esta mal ,tiene un precio razonable.La entrega a sido rápida y en buenas condiciones,esto bastante contenta con mi pedido


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.


EJEMPLO: Buenos materiales. Gran sonido. Sin problemas de conexión con ningún dispositivo Bluetooth que he probado. Los leds le dan un toque chic.
RESPUESTA: neutro

EJEMPLO: Magnífico cable recibe la señal perfectamente.
RESPUESTA: positivo

EJEMPLO: Los dos usb de los laterales tienen el problema de que no son 100% accesibles, tienes la opción de forzar un poco la placa y sus conexiones o como yo he hecho usar una pequeña lima y retirar ese milímetro que te sobra
RESPUESTA: neutro

EJEMPLO: Para el precio que tienen, bastante bien van. No tiene manera de apagarlos o encenderlos si no es conectando/desconectando el cable.
RESPUESTA: neutro

EJEMPLO: No lleva conector spdif, ni óptico que ya se ve en la foto, ni coaxial! Es para un proyector y tengo que sacar el audio a unos altavoces (no me vale que salga por el HDMI)
RESPUESTA: negativo

EJEMPLO: Me he tenido que comprar tornillos, porque los que vienen no sirven para Samsung. Por lo demas ok
RESPUESTA: neutro

EJEMPLO: El ventilador cumple su función el problema principal para mí es que su cable de conexión es muy, muy corto y apenas me permite alejarlo un metro del enchufe
RESPUESTA: neutro

EJEMPLO: Un teléfono ajustado a la definición. Sencillo y práctico. El timbre de llamada un poco bajo
RESPUESTA: neutro

EJEMPLO: Muy liviano, el material parece hojalata. Muy bonito por dentro y por fuera. El casquillo es bastante pobre. El cable y embellecedor están correctos. Pero se come casi toda la luz de la bombilla, necesita muchisima potencia para que de luminosidad. Y es una luz muy muy anaranjada. Si quieres un ambiente tenue, ok.
RESPUESTA: neutro

EJEMPLO: Me ha llegado bien pero al abrirlo observo que falta el adaptador tipo C que indica el anuncio. Confío que me lo envien
RESPUESTA: neutro

EJEMPLO: Los he devuelto, son unos auriculares normales de cable pero que necesitan estar conectados al Bluetooth, con lo cual no son nada prácticos. Además una vez conectados se desconfiguran todo el tiempo y se dejan de oír sin razón aparte.
RESPUESTA:


MODEL OUTPUT

 Por qué es el objeto de clasificación de texto?


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.


EJEMPLO: La relación calidad precio es correcta. Un modelo para principiantes en esta afición. En general correcto
RESPUESTA: neutro

EJEMPLO: La poca cantidad que venía en el sobre no da para ver resultados
RESPUESTA: negativo

EJEMPLO: Muy practico.Pero cuando hay sol no ves absolutamente nada.Las pulsaciones tampoco las marca bien.Pero por el precio no se puede pedir mas
RESPUESTA: neutro

EJEMPLO: Sirve, pero no tiene mucha calidad
RESPUESTA: neutro

EJEMPLO: És un aparato que calidad precio no se puede pedir nada más, no tiene sorpresa,és un aparato sencillo
RESPUESTA: neutro

EJEMPLO: El envio correcto, el empaquetado correcto pero para su precio esperaba algo mas grande con eso no me llega ni para una pierna lo siento muy pequeño
RESPUESTA: neutro

EJEMPLO: La máquina No funciona correctamente no corta el pelo se atasca desde el principio, es decir, no es un producto que yo recomiende. Baja calidad no recomendable.
RESPUESTA: negativo

EJEMPLO: Calidad precio perfecto, llego a tiempo y en buen estado,la e puesto hace dos dias y de momento funciona correcta mente estoy muy contento lo recomiendo
RESPUESTA: positivo

EJEMPLO: Buena relación calidad precio. Tiene bastante potencia y pesa muy poco.
RESPUESTA: positivo

EJEMPLO: es perfecto muy práctico y no provocan molestias al llevarlos. llego correcto y bien embalado en la fecha prevista, buena calidad - precio. buena compra.
RESPUESTA: positivo

EJEMPLO: Correcto pero no hidrata suficiente aun usandolo diariamente. Esperaba otro resultado mas sorprendente. Relacion precio y cantidad es correcta, pero la calidad un poco justa
RESPUESTA:


MODEL OUTPUT

 positive


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.


EJEMPLO: No me llegó lo que pedí y me vino incompleto
RESPUESTA: negativo

EJEMPLO: Lo compre pensando en conectar para transmisión de datos y solo sirve para cargar la batería. Para esto último es práctico. Pero si lo quieres para otra cosa no vale.
RESPUESTA: neutro

EJEMPLO: Me gusto porque llego muy rápido, pero luego no es muy practico ya q tienes que desmontar media silla xa poder ponerlos
RESPUESTA: neutro

EJEMPLO: A pesar de estar tomándome este producto durante dos meses y medio religiosamente cada día ,no sirve absolutamente de nada, porque sigo blanca como la pared. Admiro a las personas que lo han tomado y les ha funcionado pero desde luego a mí, no ha sido el caso. Decían que empezaba a funcionar desde el segundo mes pero pienso que aunque lo tomase 12 meses seguiría igual.
RESPUESTA: negativo

EJEMPLO: El sonido me a parecido bastante decente pero me hacen daño en las orejas después de un tiempo puestos. Los he devuelto
RESPUESTA: neutro

EJEMPLO: No pesa, no abulta, no se mueve. Me parece perfecto. Para una micro cuatro tercios, es perfecto. Si lo recomiendo.
RESPUESTA: positivo

EJEMPLO: Es de papel muy delicado.Al abrirla se rompio un poco pero luego no se nota, no incluye ningun cable ni rosca para la bombilla, tienes que comprarlo aparte.
RESPUESTA: neutro

EJEMPLO: No lo envían en caja. Se me deformó. Me devolvieron el dinero
RESPUESTA: negativo

EJEMPLO: Es justo lo que buscaba ni más ni menos y además es como la que tenía de hace ya años.
RESPUESTA: positivo

EJEMPLO: Tuve uno de la marca Kong y lo rompió en dos días, este es mas “duro” y resistente y vuela un poco más. Encantado con la compra
RESPUESTA: positivo

EJEMPLO: Lo devolví porque era imposible llevar tal peso en mis viajes. Casi medio kilo. No me fijé en ese dato.
RESPUESTA:


MODEL OUTPUT

 eso es el tarea de texto.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.


EJEMPLO: No pesa, no abulta, no se mueve. Me parece perfecto. Para una micro cuatro tercios, es perfecto. Si lo recomiendo.
RESPUESTA: positivo

EJEMPLO: Pues me dejé guiar por las buenas opiniones y al final ha sido un triunfazo!! a todos en casa les ha encantado. Fácil de instalar. Todo en él es metálico lo que le da robustez. He probado un poco el sonido y bueno no hay color de grabar con este micrófono a uno de auriculares que usaba antes, lo que si aconsejo que no lo pongais muy cerca de la torre del ordenador y más si es antigua porque por muy bueno que sea el micro milagros no hace jeje Viene con un usb que por ejemplo yo lo usaré para ponerlo en el portatil y poder conectarle el microfono y unos auriculares y así poder editar con él.
RESPUESTA: positivo

EJEMPLO: Es una maravilla nos ha llegado super rapido y mis hijos estan encantados construyendo toda clase de cosas,me parece un juego muy didactico y que les ayuda a pensar y desarrollar su creatividad, en mi caso buscaba algo asi y he acertado Los materiales son muy buenos
RESPUESTA: positivo

EJEMPLO: SIEMPRE LO COMPRO, PERO LO MALO ES EL PRECIO, MUY CARO Y CADA VEZ LO SUBEN MAS DE PRECIO CUANDO SON UNAS PEGATINAS. NO OBSTANTE, HACEN SU USO, PERO SOLO POR UNOS DIAS ESCASOS... AUN ASI ES UNA NOVEDAD
RESPUESTA: neutro

EJEMPLO: Hice pan y la verdad es que va muy bien!
RESPUESTA: positivo

EJEMPLO: Lo compré para un regalo y será utilizado con un iPhone X. No he tenido la oportunidad de probarlo con dicho teléfono, pero puedo hablar de la excelente calidad de los materiales, es pesado, se siente firme y tiene franjas con goma tanto en la parte superior para que el teléfono no se deslice y en su parte inferior para que no se deslice sobre la superficie donde se ubica. Sólo lo he conectado para probar las luces (azules) y si colocas un dispositivo para cargar, estás parpadean muy lentamente unas 5 veces y luego se apagan definitivamente, cosa que es de agradecer si lo vas a usar en tu mesa de noche. Por ahora lo recomiendo estéticamente, luego informaré de su funcionamiento.
RESPUESTA: positivo

EJEMPLO: Yo usaba el tamaño slim que compraba en el estanco y pensaba que estos eran iguales pero no, son aún más cortos. Yo uso una liadora manual y ya me apaño pero para quien los lie a mano necesitará práctica. Por lo demás, relación cantidad-precio excelente.
RESPUESTA: neutro

EJEMPLO: Después de un año de tenerlas, muy contenta. Tras varios lavados y secadoras no tiene bolitas. Muy buena calidad. Lo único que la funda de cojín es demasiado grande para mi gusto.
RESPUESTA: positivo

EJEMPLO: La tarta es un poco pequeña y los complementos más aun. Me esperaba otra cosa. Pero está bien. Es plástico todo
RESPUESTA: neutro

EJEMPLO: El producto y su propia caja en el que viene empaquetado los botes es bueno, pero la caja del envío del trasporte es horrible. La caja del transporte llego completamente rota. De tal manera que los botes me los entregaron por un lado y la caja por otro. El transporte era de SEUR, muy mal.
RESPUESTA: neutro

EJEMPLO: La compré por su precio pero la verdad recomiendo si o si una caja ATX aunque tengas una placa Micro ATX. Muy poco espacio para montar los componentes y aveces hay que hacer virguerías para poder ensamblar todo...
RESPUESTA:


MODEL OUTPUT

 Por qué espacio para montar los componentes y con ellas hay que hacer virgueras para poder ensamblar todo...


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.


EJEMPLO: Firmware verde. No lo he podido configurar con Movistar. Sin Triple Vlan de momento y Router siempre sin conexión a internet. Restaurado sin éxito
RESPUESTA: negativo

EJEMPLO: Un poquito escaso pero funciona , hay que seguir bien todos los pasos
RESPUESTA: positivo

EJEMPLO: Todo correcto, Muy recomendable. Buena opción para tener cables de reserva. Envio rapidisimo! Excelente relación calidad/precio. Recomendable para la empresa y en casa.
RESPUESTA: positivo

EJEMPLO: Pues me dejé guiar por las buenas opiniones y al final ha sido un triunfazo!! a todos en casa les ha encantado. Fácil de instalar. Todo en él es metálico lo que le da robustez. He probado un poco el sonido y bueno no hay color de grabar con este micrófono a uno de auriculares que usaba antes, lo que si aconsejo que no lo pongais muy cerca de la torre del ordenador y más si es antigua porque por muy bueno que sea el micro milagros no hace jeje Viene con un usb que por ejemplo yo lo usaré para ponerlo en el portatil y poder conectarle el microfono y unos auriculares y así poder editar con él.
RESPUESTA: positivo

EJEMPLO: Lo he probado en un Mac con sistema operativo High Sierra y al instalar los drivers me ha bloqueado el ordenador. He mirado en la página del fabricante y no tienen soporte actualizado para la última versión del SO de Mac.
RESPUESTA: negativo

EJEMPLO: Es de papel muy delicado.Al abrirla se rompio un poco pero luego no se nota, no incluye ningun cable ni rosca para la bombilla, tienes que comprarlo aparte.
RESPUESTA: neutro

EJEMPLO: A los 3-4 dias dd haber llegado el telefono, la camara trasera dejo de funcionar. Me puse en contacto con ellos para tramitar un cambio, pero me pedian que devolviera este primero y luego ellos me mandaban otro, por lo que me quedaba sin movil, creo que lo mas conveniente es igual que viene el mensajero a traerme uno nuevo, a ma vez que se lleve el estropeado... no me podia quedar sin movil ya que solo tengo este y lo necesito. A dia de hoy todavía ando con el movil sin camara trasera... un desastre. NO LO RECOMIENDO PARA NADA!
RESPUESTA: negativo

EJEMPLO: No se encendía de ninguna manera después de 3 horas enchufado. Lo enchufamos al día siguiente y funcionó pero perdió actualización y costó muchísimo resetearlo para volverlo a configurar. Ahora ya funciona, la única pega es que cuando se desenchufa o pierde la corriente, no se restablece correctamente y no se conecta a Internet.
RESPUESTA: neutro

EJEMPLO: El ventilador cumple su función el problema principal para mí es que su cable de conexión es muy, muy corto y apenas me permite alejarlo un metro del enchufe
RESPUESTA: neutro

EJEMPLO: Sirve para ir por rectas pero si coges una curva del circuito se sale el 100%de las veces por lo que lo tienes que poner con las manos. Esto hace que te aburras. No lo recomiendo.
RESPUESTA: neutro

EJEMPLO: es fácil de poner e instalar pero , en cuanto le pides un poco más de lo normal, no responde. El tener solo una boca hace que tengas que poner un switch y, si de ese sale un cable que va a otra habitación en la que hay otro switch la velocidad cae drásticamente. Probablemente sea más culpa del switch pero no he conseguido dar con alguno que no de ese problema, cosa que no me ocurría con un router estandard de los de asus con 4 bocas. También he experimentado problemas y he tenido que reconfigurar equipos como un NAS y demás En fin, para un instalación simple de router y todo wifi más acces point vale, pero no lo recomendaría si tienes una configuración algo más compleja
RESPUESTA:


MODEL OUTPUT




PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.


EJEMPLO: Todavía no he tenido tiempo de probarlo, a tener en cuenta que no lleva pilas, hay que comprarlas , son de las pequeñas no de las de boton sino de las otras.
RESPUESTA: neutro

EJEMPLO: Era un regalo y la verdad que esta dando la talla que deseaba!! Facil de utilización y muy creativo.
RESPUESTA: positivo

EJEMPLO: La funda para el sofá es muy fina. El material no transmite sensación de que vaya a durar en el tiempo, pero por el precio que tiene no podría pedirse algo mejor, o si?. Compré una funda de marca para la barbacoa y comprado con esta es de risa. En principio hace de repelente de agua, pero no lo he probado con lluvia torrencial, lo he probado tirándole un poco de agua en una zona con un vaso. Habría que volver a valorar esta funda con el paso del tiempo para ver si merece la pena o no su compra.
RESPUESTA: neutro

EJEMPLO: Lo volvería a comprar
RESPUESTA: positivo

EJEMPLO: El cristal le va pequeño a la pantalla, por los lados sobra un monton así que no lo cubre por completo, uno de los 2 cristales que iban en el paquete llevaba como una mota de polvo de fabrica insalvable. No lo recomiendo.
RESPUESTA: negativo

EJEMPLO: No le doy las 5 estrellas por q el cristal no llega a cubrir del todo ( a lo ancho) el smartphone. Lo puse varias veces y a lo ancho se queda un poco corto. Por lo demás super bien embalado.. en si cajita antigolpes... Manual de instrucciones, toallitas.. no falta detalle la verdad.. la única pega.. la q comenté anteriormente...
RESPUESTA: neutro

EJEMPLO: Un mes de uso... y se me borran las letras... no entiendo nada...
RESPUESTA: negativo

EJEMPLO: de momento parece que cumple su cometido lo he probado un par de veces con distintas chapas y parece que va bien
RESPUESTA: neutro

EJEMPLO: Fácil de conectar, pequeño y manejable. El sonido regular y se oye bastante flojito. No lo volvería a comprar.
RESPUESTA: neutro

EJEMPLO: Es demasiado grueso, queda tosco y un pelín feo, las hay más discretas que quedan mucho mejor por el mismo precio
RESPUESTA: neutro

EJEMPLO: Pelusas y bolas, desde el primer día, no la volveré a utilizar para cubrir el sofá. No la recomiendo, para nada.
RESPUESTA:


MODEL OUTPUT

 el primer da, no la volveré a utilizar para cubrir el sofá. No la recomendo, para nada.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.


EJEMPLO: No he recibido el pedido. me han hecho un reembolso por el valor de los articulos pedidos.
RESPUESTA: negativo

EJEMPLO: El reloj está bien l, lo que pasa que cada 2-3 días se adelanta un min y hay que estar ajustándolo y es un poco molesto
RESPUESTA: neutro

EJEMPLO: El marco cubre más del marco del reloj. O sea invade la pantalla. Siempre quedan algunas burbujas, lo he instalado 3 veces. Por último, y lo peor de todo, horrible la sensación táctil. Casi no obedece. Estoy a punto de quitarlo y comprar otro. Y eso que compre dos de este modelo.
RESPUESTA: negativo

EJEMPLO: la hebilla no enganchaba en cuanto te lo ponías al de unos segundos se soltaba tenia un cinturon viejo y le puse la hebilla y funcionaba perfectamente no lo cambie por eso pero desde luego mal muy mal no volveré a comprar de ese proveedor
RESPUESTA: negativo

EJEMPLO: todo parce bien, aun no lo he probado pero de primer vistazo todo esta correcto, no pongo más estrellas por eso
RESPUESTA: neutro

EJEMPLO: Parece que protege bien, pero lo he devuelto porque no se apoya de manera estable. Queda demasiado vertical y es fácil que se caiga.
RESPUESTA: negativo

EJEMPLO: Una de las copas está rota y he pedido doce, no me da la opción de reembolso de una caja de 6 y tengo que devolver las 12
RESPUESTA: negativo

EJEMPLO: El reloj está bien, se ve muy bien la hora, tiene buen diseño, los plásticos no parecen muy malos, para el precio que tiene estaría muy bien excepto sino fuera por un detalle. La hebilla sobresale mucho, se me clava en la muñeca y eso que lo he llevado bastante suelto.
RESPUESTA: neutro

EJEMPLO: El cristal se adhiere por adhesivo, no por estática. La primera vez que se me cayo, se movio. La segunda se desprendió y quedó inutilizable sin llegar a romperse. Defraudado.
RESPUESTA: negativo

EJEMPLO: No funciona lo he devuelto, no hace nada
RESPUESTA: negativo

EJEMPLO: Hoy a dia 15 de Septiembre, todavia no he recibido el importe del reembolso que me hicieron el dia 5, me gustaría saber que pasa , porque no lo he rcibido.
RESPUESTA:


MODEL OUTPUT

 Hoy a dia 15 de Septiembre, todavia no recibido el importe del reembolso que me hicieron el dia 5, e gustara saber que pasa , porque


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.


EJEMPLO: Está bien para el precio que tiene, no sirve para llevar cosas frías, el tamaño es un poco justo, caben dos tuppers pequeños y una lata
RESPUESTA: neutro

EJEMPLO: Cumple su propósito aunque son bastante endebles, hay que poner prendas ligeras si no se abren por el peso.
RESPUESTA: neutro

EJEMPLO: Muy buena calidad. Lo recomiendo.
RESPUESTA: positivo

EJEMPLO: La empresa lo devolvió sin previo aviso, era para Reyes. Un 0 no lo recomiendo en absoluto, decepciónado con el servicio.
RESPUESTA: negativo

EJEMPLO: Muy bonitas y el precio genial
RESPUESTA: positivo

EJEMPLO: És un aparato que calidad precio no se puede pedir nada más, no tiene sorpresa,és un aparato sencillo
RESPUESTA: neutro

EJEMPLO: La funda para el sofá es muy fina. El material no transmite sensación de que vaya a durar en el tiempo, pero por el precio que tiene no podría pedirse algo mejor, o si?. Compré una funda de marca para la barbacoa y comprado con esta es de risa. En principio hace de repelente de agua, pero no lo he probado con lluvia torrencial, lo he probado tirándole un poco de agua en una zona con un vaso. Habría que volver a valorar esta funda con el paso del tiempo para ver si merece la pena o no su compra.
RESPUESTA: neutro

EJEMPLO: Cómodo y muy bien la Calidad precio
RESPUESTA: positivo

EJEMPLO: Muy practico.Pero cuando hay sol no ves absolutamente nada.Las pulsaciones tampoco las marca bien.Pero por el precio no se puede pedir mas
RESPUESTA: neutro

EJEMPLO: No pesa, no abulta, no se mueve. Me parece perfecto. Para una micro cuatro tercios, es perfecto. Si lo recomiendo.
RESPUESTA: positivo

EJEMPLO: El precio muy economico. Se acopla bien, pero en 30 segundos se ha caido. No aguanta el peso del Tom Tom.
RESPUESTA:


MODEL OUTPUT

 No acuerdo el peso del Tom Tom.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.


EJEMPLO: En menos de 2-3 meses perdieron el color, totalmente descoloridas y dejaron de ser azules marino para pasar a tener falta de color, compra muy mala, ya es la segunda vez que me ocurre, no volveré a comprarlas.
RESPUESTA: negativo

EJEMPLO: No pesa, no abulta, no se mueve. Me parece perfecto. Para una micro cuatro tercios, es perfecto. Si lo recomiendo.
RESPUESTA: positivo

EJEMPLO: Era un regalo para unos amigos. Al parecer se ajusta perfectamente a lo que necesitaban
RESPUESTA: neutro

EJEMPLO: Llegó a tiempo y perfectamente embalado. Excelente móvil lo poco que lo he usado me ha resultado super rápido, fotos de excelente calidad, batería de larga durabilidad, buenos acabados, sonido excelente, fácil de usar y una pantalla con full color. Ha sido una buena compra.
RESPUESTA: positivo

EJEMPLO: La compré porque tenía la original que me quedaba grande. Ésta me queda perfecta y me encanta el color. Llevo con ella ya tiempo y sigue como el primer día.
RESPUESTA: positivo

EJEMPLO: Las tintas son una basura.Solo imprime en blanco y negro y no en color.Dinero tirado.
RESPUESTA: negativo

EJEMPLO: El color rojo va genial para las ojeras aguanta todo el día. Y el verde para tapar las rojeces me encantan
RESPUESTA: positivo

EJEMPLO: El difusor no es fino suelta grumos, no es transparente, el faro pierde transparencia y encima toma un color azulado no lo recomiendo usarlo para faros a no ser q seas un chapuzas
RESPUESTA: negativo

EJEMPLO: Vienen un montón de cosas, como el cortahilos que me encanta , para empezar a bordar está muy bien. Los hilos no parecen de mala calidad, y hay muchos colores
RESPUESTA: positivo

EJEMPLO: Es agradable y protege. Ya lo sabemos que la proteccion es así pero este año no me he quemado y tengo algo de color
RESPUESTA: positivo

EJEMPLO: era esactamente lo q queria, perfecto para teñir pasteles y tartas, da un color muy bonito y lo volveré a comprar seguro
RESPUESTA:


MODEL OUTPUT

 era esactamente lo q queria, perfecto para teir pasteles y tartas, da una color muy bonito y lo volveré a comprar seguro


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.


EJEMPLO: El producto no llegó en el tiempo indicado, exactamente 24 días después, es lamentable que pasen estas cosas, ya no me sirve el producto para la fecha en la que ha llegado.
RESPUESTA: neutro

EJEMPLO: Aparentemente es bonito y fácil de colocar, pero cuando sales a la calle y lo tienes que usarlo para advertir algún peatón que se cruza despistado o deseas avisar, para poder pasar o adelantar. El sonido es muy débil insuficiente para una ciudad o pueblo. Es una pena el producto es bonito pero no merece la pena comprarlo.
RESPUESTA: negativo

EJEMPLO: Malísimo para nadar es muy endeble de abajo el tubo no vale nada se sale mucho no puedes nadar
RESPUESTA: negativo

EJEMPLO: Producto sencillo, barato y útil
RESPUESTA: positivo

EJEMPLO: Estuche para flauta muy cómodo. Muy buenos acabados. Esta marca ofrece productos de muy buena calidad.
RESPUESTA: positivo

EJEMPLO: El producto en si, esta bien, encaja perfecto, pero la mochila llegó con dos manchas de tinta supongo, y una de las cremalleras rota, aunque con la otra cierra bien.
RESPUESTA: neutro

EJEMPLO: La máquina No funciona correctamente no corta el pelo se atasca desde el principio, es decir, no es un producto que yo recomiende. Baja calidad no recomendable.
RESPUESTA: negativo

EJEMPLO: Es genial este producto, desde que lo tengo no he vuelto a fregar los platos con las manos al descubierto. Tiene muchas ventajas, la primera a destacar es la higiene, si no quieres mancharte o mojarte las manos, este es el producto ideal. La segunda a destacar, es que puedes utilizarlo para fregar con agua fría si no quieres gastar agua caliente. Eso si, antes de utilizarlos, hay que lavarlos.
RESPUESTA: positivo

EJEMPLO: A pesar de estar tomándome este producto durante dos meses y medio religiosamente cada día ,no sirve absolutamente de nada, porque sigo blanca como la pared. Admiro a las personas que lo han tomado y les ha funcionado pero desde luego a mí, no ha sido el caso. Decían que empezaba a funcionar desde el segundo mes pero pienso que aunque lo tomase 12 meses seguiría igual.
RESPUESTA: negativo

EJEMPLO: Por lo que cuesta, no está mal, recomendable su compra, como producto asequible.
RESPUESTA: neutro

EJEMPLO: el producto bajo mi punto de vista no sirve de nada porque las plantillas son feas con ganas pero son baratas...
RESPUESTA:


MODEL OUTPUT

 el producto bajo mi punto de vista no sirve de nada porque las plantillas son feas con ganas pero son baratas...


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.


EJEMPLO: No me ha gustado nada porque parece un libro de un niño pequeño, portada bonita pero cuando lo abres... no lo volvería a comprar nunca.
RESPUESTA: negativo

EJEMPLO: Me llegó abierto todo parecía que hubiera sido usado y no funcionaba la vibración.
RESPUESTA: negativo

EJEMPLO: No me ha gustado nada. Mucho calor dentro, resiste mal el viento, aunque no sea fuerte, los enganches se sueltan de las piquetas con facilidad. No la recomiendo.
RESPUESTA: negativo

EJEMPLO: Estaria bien que fuese mas largo el hueco pars que no se quede tsn colgado el pints labios. Cumple su funcion si no tienes mucho dinero.
RESPUESTA: neutro

EJEMPLO: Herramienta para llevar sin que pese ni ocupe mas de lo que acompañe una llave de tu casa. A lo mejor ni la usas...pero está ahi
RESPUESTA: positivo

EJEMPLO: Una de las gomas se ha estropeado muy pronto y uno de los botones también. Según mi experiencia, no me ha durado ni 2 meses. No compensa, se rompe con facilidad.
RESPUESTA: negativo

EJEMPLO: Para mi es complicada de usar. No pesa bien y no trae unas instrucciones claras para calibrarla bien y poder pesar con ella. No estoy contento con la compra me parece complicada de usar.
RESPUESTA: neutro

EJEMPLO: No me gusta las pocas especificaciones del producto y las etiquetas arrancadas, eso no me ha gustado.
RESPUESTA: neutro

EJEMPLO: Tuve que devolver dos porque no me los reconocía la impresora
RESPUESTA: negativo

EJEMPLO: A mí no me las ha dejado muy limpias...o no se usarlo bien o no es tan efectivo como dicen.
RESPUESTA: neutro

EJEMPLO: No me han gustado. Las puntas se rompen con mucha facilidad. Mis hijas no los han podido usar.
RESPUESTA:


MODEL OUTPUT

 negative EJEMPLO: No me han gustado. Las puntas se rompen con mucha facilidad. Mis hijas no me han podido usar.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.


EJEMPLO: Edición muy cuidada. Tiene buen sonido y me llegó muy rápido. En perfecto estado, sin ningún rasguño. A día de hoy no tengo ninguna pega. Además es muy original, destaca entre toda la colección de vinilos.
RESPUESTA: positivo

EJEMPLO: No están mal y se mantienen bastante pero tiene brillantina y es lo que no me gusta y no compraré más por ese motivo
RESPUESTA: neutro

EJEMPLO: Queda muy bien y te protege el reloj
RESPUESTA: positivo

EJEMPLO: Correcto.Cumple su cometido y los adhesivos son bastante fuertes.No se despegan facilmente.Por precio merece la pena teniendo en cuenta que vienen 10 unidades.
RESPUESTA: neutro

EJEMPLO: Muy bonitas y el precio genial
RESPUESTA: positivo

EJEMPLO: Buen precio para la gran capacidad que tiene. No tiene ruido y es totalmente manejable.
RESPUESTA: positivo

EJEMPLO: En poco tiempo el asa que sube y baja ya no funciona correctamente. Estoy decepcionada, ya que era para utilizar todas las semanas.
RESPUESTA: neutro

EJEMPLO: muy agradable y comoda
RESPUESTA: positivo

EJEMPLO: El reloj está bien, se ve muy bien la hora, tiene buen diseño, los plásticos no parecen muy malos, para el precio que tiene estaría muy bien excepto sino fuera por un detalle. La hebilla sobresale mucho, se me clava en la muñeca y eso que lo he llevado bastante suelto.
RESPUESTA: neutro

EJEMPLO: Para el colegio son perfectos.Duran mucho tiempo.Llegaron antes de tiempo.
RESPUESTA: positivo

EJEMPLO: Son muy cómodos y tienen muy buen sonido
RESPUESTA:


MODEL OUTPUT

 es muy cómodos y tienen muy buen sonido


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.


EJEMPLO: Tenía un disco duro de 80 GB procedente de un portátil que tiré y me daba pena tirarlo. Compré esta carcasa, bien barata, y ahora tendo un USB de 80 GB. Como digo: Perfecto y barato.
RESPUESTA: positivo

EJEMPLO: El protector de pantalla llegó un poco roto.
RESPUESTA: neutro

EJEMPLO: Los dos usb de los laterales tienen el problema de que no son 100% accesibles, tienes la opción de forzar un poco la placa y sus conexiones o como yo he hecho usar una pequeña lima y retirar ese milímetro que te sobra
RESPUESTA: neutro

EJEMPLO: Se podría mejorar el ajuste del imán conector. Resto muy correcto. Similar al original de Surface, incluye conector supletorio USB
RESPUESTA: neutro

EJEMPLO: Sirve para ir por rectas pero si coges una curva del circuito se sale el 100%de las veces por lo que lo tienes que poner con las manos. Esto hace que te aburras. No lo recomiendo.
RESPUESTA: neutro

EJEMPLO: Cumple con su propósito perfectamente , dispongo de un portátil bastante fino que no dispone de suficientes puertos USB ni de HDMI , con este hub solucionado , va bien rápido tiene buenos materiales y es pequeño. La verdad que muy contento con el producto
RESPUESTA: positivo

EJEMPLO: Muy bonitos pero bastante pequeños. Precio elevado. Más de ocho euros
RESPUESTA: neutro

EJEMPLO: Gran Altavoz. Buen sonido, buenos graves, buen volumen...
RESPUESTA: positivo

EJEMPLO: No ha llegado a aún....
RESPUESTA: negativo

EJEMPLO: Venía roto, tuve que pegar la cenefa con cola blanca porque venía rota además es super endeble.no recomiendo la compra
RESPUESTA: negativo

EJEMPLO: Ha llegado roto en la base del USB
RESPUESTA:


MODEL OUTPUT

 tuve que pegar la cenefa con cola blanca porque vena rota además es super endeble.no recomendo


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.


EJEMPLO: La máquina No funciona correctamente no corta el pelo se atasca desde el principio, es decir, no es un producto que yo recomiende. Baja calidad no recomendable.
RESPUESTA: negativo

EJEMPLO: bien te lo traen a casa y listo a funcionar
RESPUESTA: neutro

EJEMPLO: Se le caen los brillantes y andan por donde pase la niña. Que termina quedándose feo, solo con la manchita del pegamento donde venia el brillante que es como una lentejuela
RESPUESTA: neutro

EJEMPLO: ha salido con defecto, en llamadas salientes no se oye al interlocutor, lo cambie por otro igual y he tenido el mismo problema
RESPUESTA: negativo

EJEMPLO: Alumbran bien. Pero la cinta adhesiva pega muy poco. Nose si podrían enviar otra de mejor calidad. Gracias
RESPUESTA: neutro

EJEMPLO: El envío muy rápido, el mismo día del lanzamiento del libro. La lástima es que me lo han mandado algo deteriorado, en la parte superior hay una zona que está como rasgada. Era para un regalo.
RESPUESTA: neutro

EJEMPLO: No existe una App que la haga funcionar. Solo funciona con el mando y tienes que estar bajo la bombilla para que reaccione. Luminosidad bastante baja.
RESPUESTA: negativo

EJEMPLO: El estampador no sirve, no se pega ningún esmalte. Mi mujer ha tenido que comprar otro a parte.
RESPUESTA: neutro

EJEMPLO: No funciona lo he devuelto, no hace nada
RESPUESTA: negativo

EJEMPLO: Estaria bien que fuese mas largo el hueco pars que no se quede tsn colgado el pints labios. Cumple su funcion si no tienes mucho dinero.
RESPUESTA: neutro

EJEMPLO: No funciona nada bien, se queda el azúcar pegado a la máquina, sin llegar ha hacer el algodon
RESPUESTA:


MODEL OUTPUT

 el pelo se atasca desde el principio, es decir, no es un producto que yo recomiende. Baja calidad no recomendable. Gracias RESPUESTA


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.


EJEMPLO: Mejor de lo que esperaba, tiene buena capacidad y queda perfecto. Es más grande de lo que esperaba. Por fin el vidrio está ordenado.
RESPUESTA: positivo

EJEMPLO: Calidad y buen precio
RESPUESTA: neutro

EJEMPLO: Más pequeño de lo esperado
RESPUESTA: neutro

EJEMPLO: Muy buena calidad. Lo recomiendo.
RESPUESTA: positivo

EJEMPLO: Se ve que la calidad es buena dentro de la media, aunque lo que no me gustó en relación a otros como el Ol'Vita, es que no guarda mucho de la parte de aceite esencial que le da el matiz "especiado". Para algunos usos quizá sea mejor no tener un sabor tan fuerte, pero para temas de salud preferiría tener todo el espectro natural.
RESPUESTA: neutro

EJEMPLO: Mala calidad, solo funciona la mitad, nada recomendable
RESPUESTA: neutro

EJEMPLO: Todo perfecto, gran calidad a un gran precio y dificil de encontrar por llevar el destornillador en lugar del sacacorchos.
RESPUESTA: positivo

EJEMPLO: Funciona bien pero se nota que la calidad no es la de la original.
RESPUESTA: neutro

EJEMPLO: Me ha gustado porque tiene una buena estructura y gran capacidad para guardar ropa, calzado...
RESPUESTA: positivo

EJEMPLO: Mi hija está encantada , con 6 años tiene las uñas pequeñas todavía y le quedan muy justas las calcomanías pero ella está encantada
RESPUESTA: positivo

EJEMPLO: Buena calidad, mejor de lo esperado
RESPUESTA:


MODEL OUTPUT

 positive


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.


EJEMPLO: No sirve para agua caliente se deforma
RESPUESTA: negativo

EJEMPLO: Alumbran bien. Pero la cinta adhesiva pega muy poco. Nose si podrían enviar otra de mejor calidad. Gracias
RESPUESTA: neutro

EJEMPLO: Es lo que buscaba, además viene en milímetros y no en centímetros.
RESPUESTA: positivo

EJEMPLO: Tened en cuenta las medidas porque es muy pequeña. Yo tuve que devolverla porque en un salón de 4m2 se veía ridícula. Pero la lámpara es bonita y de buena calidad.
RESPUESTA: negativo

EJEMPLO: Muy fino, abriga poco
RESPUESTA: neutro

EJEMPLO: Muy fácil de instalar. Además ocupa muy poco comparado con otros sistemas. El mando a distancia con el nuevo sistema tiene un alcance verdaderamente largo y muy rápida respuesta. No se calienta.
RESPUESTA: positivo

EJEMPLO: Da mucha luz para poder dormir en la habitación
RESPUESTA: neutro

EJEMPLO: No es el articulo de calidad que parece ademas se equivocaron de talla y tuve que devolverlas
RESPUESTA: negativo

EJEMPLO: El protector de pantalla llegó un poco roto.
RESPUESTA: neutro

EJEMPLO: No cubre toda la pantalla. La margen negra tapa la laterales como un medio mm.
RESPUESTA: negativo

EJEMPLO: Se echa en falta otra pantalla adiccional.
RESPUESTA:


MODEL OUTPUT

 es el adiccionario del adiccionario.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.


EJEMPLO: Más pequeño de lo esperado
RESPUESTA: neutro

EJEMPLO: Es muy pequeña y tardó bastante en llegar. Pienso que es una pieza más para aire que para agua. El paso es muy pequeño.
RESPUESTA: neutro

EJEMPLO: Mejor de lo que esperaba, tiene buena capacidad y queda perfecto. Es más grande de lo que esperaba. Por fin el vidrio está ordenado.
RESPUESTA: positivo

EJEMPLO: Muy buena calidad. Lo recomiendo.
RESPUESTA: positivo

EJEMPLO: Buenos guantes, calentitos, quizás un poco pequeños, pero yo tengo manos grandes. Al quedarme pequeños y estirarlos un poco, se ha roto el encaje.
RESPUESTA: neutro

EJEMPLO: En realidad no es muy ligero, pero tampoco es algo que incomode por el grosor que aporta al móvil.
RESPUESTA: neutro

EJEMPLO: Está bien para el precio que tiene, no sirve para llevar cosas frías, el tamaño es un poco justo, caben dos tuppers pequeños y una lata
RESPUESTA: neutro

EJEMPLO: No he recibido el pedido. me han hecho un reembolso por el valor de los articulos pedidos.
RESPUESTA: negativo

EJEMPLO: Es demasiado grueso, queda tosco y un pelín feo, las hay más discretas que quedan mucho mejor por el mismo precio
RESPUESTA: neutro

EJEMPLO: Me encanto. Ya los he comprado varias veces.
RESPUESTA: positivo

EJEMPLO: mas pequeño de lo esperado
RESPUESTA:


MODEL OUTPUT

 es muy pequea y tardó bastante en llegar. Pienso que es una pieza más para aire que para agua. El paso es muy pequeo. RESPUEST


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.


EJEMPLO: A mi hija la ha encantado. Viene además 2 hojas con pegatinas de estrellas, círculos y formas pequeñas en color rojo y plata y se lo ha pasado genial pintando y pegándolas.
RESPUESTA: positivo

EJEMPLO: Cumple su función, aunque la calidad de los materiales deja algo que desear. Se ve que es plástico del barato y da sensación de fragilidad. Veremos como aguanta el paso del tiempo y los usos.
RESPUESTA: neutro

EJEMPLO: La máquina No funciona correctamente no corta el pelo se atasca desde el principio, es decir, no es un producto que yo recomiende. Baja calidad no recomendable.
RESPUESTA: negativo

EJEMPLO: Pegan muy bien a la base con el velcro, las he usado con madera y para pulir resina epoxi y van de lujo, compré tambien la base del taladro, la engancho a la mesa y a trabajar.
RESPUESTA: positivo

EJEMPLO: Alumbran bien. Pero la cinta adhesiva pega muy poco. Nose si podrían enviar otra de mejor calidad. Gracias
RESPUESTA: neutro

EJEMPLO: De lo que se ve en la foto a él plástico naranja del original...en fin, más que oro parece q ya amarilleo de tener tiempo
RESPUESTA: negativo

EJEMPLO: Para llevarlo en la autocaravana para mi yorsay
RESPUESTA: positivo

EJEMPLO: Cuando la adquirí, me gusto la idea de que también protegiera los márgenes de la pantalla sin cambiar el color del iPhone, pero con un golpe, adiós a la pantalla protectora. Mi sorpresa llegó al ponerle la que venia de recambio, a los pocos días, sin darle ningún golpe se me rajó entera de una esquina a otra por lo que me decepcionó bastante. Volví a comprar las típicas transparentes que encuentras en cualquier lado y con esa sigo a día de hoy aunque los bordes están un poco desgastados. ¿La recomendaría? No.
RESPUESTA: neutro

EJEMPLO: Es bastante rígido, aunque le falta peso para una pegada dura.Muy buen material.
RESPUESTA: neutro

EJEMPLO: El difusor no es fino suelta grumos, no es transparente, el faro pierde transparencia y encima toma un color azulado no lo recomiendo usarlo para faros a no ser q seas un chapuzas
RESPUESTA: negativo

EJEMPLO: Un recopilatorio sin más, decoración de caja y cd sencilla. La pegatina transparente que tiene de cierre si no se retira con cuidado puede dañar la pintura de la caja de cartón.
RESPUESTA:


MODEL OUTPUT

 recopilatorio sin más, decoración de caja y cd sencilla. The transparente that has a certain condition if not retira con cuidado puede daar la pintura de la caja de cart


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.


EJEMPLO: Para el precio esta bien,el pegamento de las pegatinas no es el mejor,hay que hacer bastante presión y pegarla varias veces. Pero para el precio y la cantidad están bien.
RESPUESTA: neutro

EJEMPLO: Aparentemente tiene muy buena calidad y un gran precio para venir tres protectores. Ningún problema a nivel táctil muy transparente, del tamaño exacto para la pantalla. Sin embargo, el primero no fui capaz de que se adhiriera a la pantalla (quedaba despegado la mitad); pensé que era mi inexperiencia. El segundo quedó ya mejor, pero aún y todo, no adherido del todo. Y ahí ya no es por exceso de confianza. Gracias a que uso una funda tipo libro la pantalla no queda expuesta y he reservado el tercer protector para más adelante.
RESPUESTA: neutro

EJEMPLO: No están mal aunque son enormes, yo e cortado la parte de los aros y las puse en la parte trasera ya que sino ocupa mucho espacio.
RESPUESTA: neutro

EJEMPLO: No le doy las 5 estrellas por q el cristal no llega a cubrir del todo ( a lo ancho) el smartphone. Lo puse varias veces y a lo ancho se queda un poco corto. Por lo demás super bien embalado.. en si cajita antigolpes... Manual de instrucciones, toallitas.. no falta detalle la verdad.. la única pega.. la q comenté anteriormente...
RESPUESTA: neutro

EJEMPLO: Muy caros luego los he estado viendo 2euros iguales y la misma marca .se han pasado con el margen de beneficio
RESPUESTA: neutro

EJEMPLO: Me ha gustado porque tiene una buena estructura y gran capacidad para guardar ropa, calzado...
RESPUESTA: positivo

EJEMPLO: Es demasiado grueso, queda tosco y un pelín feo, las hay más discretas que quedan mucho mejor por el mismo precio
RESPUESTA: neutro

EJEMPLO: La lámpara de secado no seca y los esmaltes duran muy poco (apenas una semana).
RESPUESTA: negativo

EJEMPLO: A mi hija la ha encantado. Viene además 2 hojas con pegatinas de estrellas, círculos y formas pequeñas en color rojo y plata y se lo ha pasado genial pintando y pegándolas.
RESPUESTA: positivo

EJEMPLO: Pense que por el precio tan barato no iba a ser muy bueno pero todl lo contrario. Lo puse en la parte trasera moto y me va super bien y soy mas visible.
RESPUESTA: positivo

EJEMPLO: Deja unos bordes porque no se pega bien por los lados, pero todos los protectores por estos precios les pasa lo mismo
RESPUESTA:


MODEL OUTPUT

 Deja unas bordes porque no se puede bien en los lados, pero todos los protectores por estas precios les pasa lo mismo


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.


EJEMPLO: Me ha gustado mucho el producto. El diseño y calidad muy buenos. El pedido llegó muy rapido. Me ha encantado
RESPUESTA: positivo

EJEMPLO: La tarta es un poco pequeña y los complementos más aun. Me esperaba otra cosa. Pero está bien. Es plástico todo
RESPUESTA: neutro

EJEMPLO: Producto sencillo, barato y útil
RESPUESTA: positivo

EJEMPLO: Buena relación calidad precio. Tiene bastante potencia y pesa muy poco.
RESPUESTA: positivo

EJEMPLO: Estaba buscando unos cuchillos de carne que me durasen para muchísimo tiempo sin importarme gastar un poco más. A veces es mejor no comprar barato. Estos cuchillos van a sustituir a unos antiguos que tenía que aunque hacían bien su función se me fueron estropeando porque el mango era de plástico y de tanto lavado se fue estropeando esta parte. A primera vista ya se aprecia que son de muy buena calidad por los materiales con los que están fabricados. A destacar también el envoltorio ya que son perfectos para regalar. Muy buena compra.
RESPUESTA: positivo

EJEMPLO: Para empezar, si el tiempo de envío es largo, el producto se retrasa por problema de aduanas. Solicitó la devolución, ya que es para un regalo y ante la tardanza han adquirido una prenda similar en otro sitio. Amazon me pone en contacto con el vendedor, el cual no facilita la devolución. Mientras tanto recibo el paquete y cuál es mi sorpresa que el artículo q me envían es un bolso negro, una especie de portafolios pero que nada tiene que ver con el sujetador de lactancia que encargue. Sigo en contacto con el vendedor, que aún sigue sin darme ninguna solución.
RESPUESTA: negativo

EJEMPLO: El envio correcto, el empaquetado correcto pero para su precio esperaba algo mas grande con eso no me llega ni para una pierna lo siento muy pequeño
RESPUESTA: neutro

EJEMPLO: Calidad increíble, sabor muy intenso. Se nota que es un producto natural... Merece la pena pagar lo que vale. Muy satisfecho.
RESPUESTA: positivo

EJEMPLO: Estuche para flauta muy cómodo. Muy buenos acabados. Esta marca ofrece productos de muy buena calidad.
RESPUESTA: positivo

EJEMPLO: Edición muy cuidada. Tiene buen sonido y me llegó muy rápido. En perfecto estado, sin ningún rasguño. A día de hoy no tengo ninguna pega. Además es muy original, destaca entre toda la colección de vinilos.
RESPUESTA: positivo

EJEMPLO: Buena calidad y peso. Al uno con cuchilla merkur ni un tajo. Hay ke controlar un poco el tacto pero va fina. Producto original. Entrega en plazos
RESPUESTA:


MODEL OUTPUT

 entrega en plazos


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.


EJEMPLO: Muy buena calidad. Lo recomiendo.
RESPUESTA: positivo

EJEMPLO: Es tal y lo que te pone en la descripción, sin más, aunque la apertura de la basura, con el pedal, me da la impresión que se romperá dentro de no mucho tiempo, ya que se abre muy de golpe, aunque lo presiones suavemente.
RESPUESTA: neutro

EJEMPLO: Plastico cutre, vienen con cinta adhesiva de mala calidad que he tenido que cambiar en todos.
RESPUESTA: negativo

EJEMPLO: Cumple su propósito aunque son bastante endebles, hay que poner prendas ligeras si no se abren por el peso.
RESPUESTA: neutro

EJEMPLO: Vienen un montón de cosas, como el cortahilos que me encanta , para empezar a bordar está muy bien. Los hilos no parecen de mala calidad, y hay muchos colores
RESPUESTA: positivo

EJEMPLO: El armario está bastante bien. Pero el tema de mensajeria deja mucho que desear, aunque llego relativamente rapido (algo menos de 2 semanas), vino con varios golpes los cuales dificultan el montaje e interrumpen el cierre y apertura de puertas
RESPUESTA: neutro

EJEMPLO: Calidad regular pero cumple las espectativas
RESPUESTA: neutro

EJEMPLO: Parece que protege bien, pero lo he devuelto porque no se apoya de manera estable. Queda demasiado vertical y es fácil que se caiga.
RESPUESTA: negativo

EJEMPLO: Totalmente sorprendida por la calidad de sonido, me lo esperaba mucho más inferior pero ha superado mis espectativas... por ponerle una pega echo de menos una salida usb.
RESPUESTA: positivo

EJEMPLO: En las caracteristicas se indica que son tres piezas pero en el paquete solo vienen dos. No se si trata de un error o de mucho morro.
RESPUESTA: negativo

EJEMPLO: son monos, aunque se ven de poca calidad, para lo que cuestan no se puede pedir mucho mas
RESPUESTA:


MODEL OUTPUT

 es monos, eso es el apertura de la base, el eso es fácil que el apertura de la base, es fácil que el


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.


EJEMPLO: El ventilador cumple su función el problema principal para mí es que su cable de conexión es muy, muy corto y apenas me permite alejarlo un metro del enchufe
RESPUESTA: neutro

EJEMPLO: Muy buena calidad. Lo recomiendo.
RESPUESTA: positivo

EJEMPLO: Un teléfono ajustado a la definición. Sencillo y práctico. El timbre de llamada un poco bajo
RESPUESTA: neutro

EJEMPLO: Magnífico cable recibe la señal perfectamente.
RESPUESTA: positivo

EJEMPLO: Para el precio que tienen, bastante bien van. No tiene manera de apagarlos o encenderlos si no es conectando/desconectando el cable.
RESPUESTA: neutro

EJEMPLO: El edredón no está mal, pero esperaba mayor calidad en el tejido.Práctico para lavar, pues es fino. En invierno veré si abriga lo suficiente
RESPUESTA: neutro

EJEMPLO: Buena succión de aire. Lo usé para sustituir el que tenía con las mismas medidas
RESPUESTA: neutro

EJEMPLO: Muy fácil de instalar. Además ocupa muy poco comparado con otros sistemas. El mando a distancia con el nuevo sistema tiene un alcance verdaderamente largo y muy rápida respuesta. No se calienta.
RESPUESTA: positivo

EJEMPLO: Todo correcto, Muy recomendable. Buena opción para tener cables de reserva. Envio rapidisimo! Excelente relación calidad/precio. Recomendable para la empresa y en casa.
RESPUESTA: positivo

EJEMPLO: Tiene el tubo muy pequeño, no sirve ni para botellas de 1 Litro. Viene empaquetado doblado lo cual facilita que se rompan los cables interiores del tubo. Un desastre y vale mucho más el envio que el producto en si.
RESPUESTA: negativo

EJEMPLO: Es tan inhalámbrico que ni incluye el cable de alimentación.
RESPUESTA:


MODEL OUTPUT

 es tan inhalámbrico que no incluye el cable de alimentación.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.


EJEMPLO: Es un auténtico timo, plástico de malísima calidad, lleva un ventilador de muy baja potencia, es de Pc, he metido el recipiente al congelador y ni poniéndole hielo enfria, imagínate con agua. Los botones que lleva dan la sensación que se van a romper cuando los pulsas, la tapa que tienes que quitar para sacar el recipiente luego no encaja y te tiras media hora para volverla a poner en su sitio. El agua a veces se sale y la placa electrónica que lleva el aparato no está protegida, te doy 2 días para que se rompa, esto es un timo señores, no malgasten su dinero, ni 5€ vale, le doy una estrella porque me obligan.
RESPUESTA: negativo

EJEMPLO: El arte del juego es precioso. La historia merece ser vista al menos. La edición coleccionista, a ese precio, y con este juego, merece salir de camino a casa de cualquier jugon.
RESPUESTA: positivo

EJEMPLO: Aún no lo he probado. Algo malo es que vienen las instrucciones en inglés y nada en español.
RESPUESTA: neutro

EJEMPLO: Envío rápido pero la bolsa viene sin caja ( en otras tiendas online viene mejor empaquetado) y por consecuencia la bolsa tenía varios puntos con agujeros... La comida está en buen estado pero ya no te da la misma confianza. Fecha de caducidad correcta.
RESPUESTA: neutro

EJEMPLO: 3 estrellas porque llegó tarde y no en la fecha prevista.Como no el reparto tenía que ser con Seur.En cuanto a la mochila es tal y como la ves,ni más ni menos.
RESPUESTA: neutro

EJEMPLO: A pesar de estar tomándome este producto durante dos meses y medio religiosamente cada día ,no sirve absolutamente de nada, porque sigo blanca como la pared. Admiro a las personas que lo han tomado y les ha funcionado pero desde luego a mí, no ha sido el caso. Decían que empezaba a funcionar desde el segundo mes pero pienso que aunque lo tomase 12 meses seguiría igual.
RESPUESTA: negativo

EJEMPLO: Para mí es uno de los mejores. Lo compré por que me hacía falta para ¡ya! . Lo peor, el precio pues lo compro más barato en otros sitios.
RESPUESTA: positivo

EJEMPLO: Es justo lo que buscaba ni más ni menos y además es como la que tenía de hace ya años.
RESPUESTA: positivo

EJEMPLO: A los 3-4 dias dd haber llegado el telefono, la camara trasera dejo de funcionar. Me puse en contacto con ellos para tramitar un cambio, pero me pedian que devolviera este primero y luego ellos me mandaban otro, por lo que me quedaba sin movil, creo que lo mas conveniente es igual que viene el mensajero a traerme uno nuevo, a ma vez que se lleve el estropeado... no me podia quedar sin movil ya que solo tengo este y lo necesito. A dia de hoy todavía ando con el movil sin camara trasera... un desastre. NO LO RECOMIENDO PARA NADA!
RESPUESTA: negativo

EJEMPLO: Llego en el tiempo previsto
RESPUESTA: neutro

EJEMPLO: El juego llego en la fecha prevista y precintado, lo curioso es que la caratula de la caja y el libreto interior están en ingles, y no indican por ningún lugar que el juego este doblado al Español, tanto los textos como los diálogos del mismo, tenia serias dudas al comprarlo ya que en las imágenes que lo anuncia ya se ve que están los textos en ingles, pero el juego esta en español como ya he indicado anteriormente, también lo indican en la mayoría de las respuestas a preguntas de otros compradores sobre si estaba o no en español. De momento lo único que he hecho ha sido cargarlo en la PS4 para asegurarme de que estaba en español, por si tenia que devolverlo en el caso de que se pueda una vez lo has des precintado claro, mas adelante cuando lo juegue ya emitiré una segunda opinión del mismo.
RESPUESTA:


MODEL OUTPUT

 El juego llego en la fecha prevista y precintado, lo curioso es que la caratula de la caja y la libreto interior están en ingles, y no indican por


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.


EJEMPLO: Cómodo y muy bien la Calidad precio
RESPUESTA: positivo

EJEMPLO: Está muy bien, corren y saltan detrás de ellos.
RESPUESTA: positivo

EJEMPLO: Calidad increíble, sabor muy intenso. Se nota que es un producto natural... Merece la pena pagar lo que vale. Muy satisfecho.
RESPUESTA: positivo

EJEMPLO: Mala calidad, solo funciona la mitad, nada recomendable
RESPUESTA: neutro

EJEMPLO: El reloj está bien, se ve muy bien la hora, tiene buen diseño, los plásticos no parecen muy malos, para el precio que tiene estaría muy bien excepto sino fuera por un detalle. La hebilla sobresale mucho, se me clava en la muñeca y eso que lo he llevado bastante suelto.
RESPUESTA: neutro

EJEMPLO: Vienen un montón de cosas, como el cortahilos que me encanta , para empezar a bordar está muy bien. Los hilos no parecen de mala calidad, y hay muchos colores
RESPUESTA: positivo

EJEMPLO: Me ha gustado mucho el producto. El diseño y calidad muy buenos. El pedido llegó muy rapido. Me ha encantado
RESPUESTA: positivo

EJEMPLO: Funciona bien pero se nota que la calidad no es la de la original.
RESPUESTA: neutro

EJEMPLO: Muy buena calidad. Lo recomiendo.
RESPUESTA: positivo

EJEMPLO: Calidad regular pero cumple las espectativas
RESPUESTA: neutro

EJEMPLO: Están muy bien ,calidad excelente
RESPUESTA:


MODEL OUTPUT

 Qué es el tarea de clasificación de texto?


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.


EJEMPLO: No he recibido el pedido. me han hecho un reembolso por el valor de los articulos pedidos.
RESPUESTA: negativo

EJEMPLO: Siempre he comprado WD y no me defrauda. Desafortunadamente no puedo decir lo mismo cuando he comprado otras marcas
RESPUESTA: positivo

EJEMPLO: Es justo lo que buscaba ni más ni menos y además es como la que tenía de hace ya años.
RESPUESTA: positivo

EJEMPLO: He probado varios auriculares ya. Estos sin duda son los que mejor resultado dan en cuanto a sonido y comodidad se refiere. Totalmente recomendable.
RESPUESTA: positivo

EJEMPLO: Aún no lo he probado. Algo malo es que vienen las instrucciones en inglés y nada en español.
RESPUESTA: neutro

EJEMPLO: Más pequeño de lo esperado
RESPUESTA: neutro

EJEMPLO: Al principio buen sonido y fácil de usar, pero en 4 meses se bloquea y no reacciona, cuando se acaba la batería funciona bien, pero se vuelve s bloquear. He procedido a su devolución
RESPUESTA: neutro

EJEMPLO: Me encanto. Ya los he comprado varias veces.
RESPUESTA: positivo

EJEMPLO: Muy buena calidad. Lo recomiendo.
RESPUESTA: positivo

EJEMPLO: Pedido con retraso, y lo peor es que aún no ha llegado. Se trataba de un regalo y calculé para que llegara de sobra, pero el envío no ha llegado todavía y la única solucion por parte del vendedor es que espere un poco más.
RESPUESTA: negativo

EJEMPLO: Mi pedido aparece como entregado y aún no lo he recibido.
RESPUESTA:


MODEL OUTPUT

 reembolso


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.


EJEMPLO: El envío muy rápido, el mismo día del lanzamiento del libro. La lástima es que me lo han mandado algo deteriorado, en la parte superior hay una zona que está como rasgada. Era para un regalo.
RESPUESTA: neutro

EJEMPLO: Bien para lo que cuesta
RESPUESTA: neutro

EJEMPLO: Todo perfecto por lo que vale.
RESPUESTA: positivo

EJEMPLO: Gran Altavoz. Buen sonido, buenos graves, buen volumen...
RESPUESTA: positivo

EJEMPLO: Es muí bonito igual que en la. Foto gracias
RESPUESTA: positivo

EJEMPLO: No eran las medidas que marcaban
RESPUESTA: negativo

EJEMPLO: Apenas 4 meses y ya no carga. Mucho peor que la batería original
RESPUESTA: negativo

EJEMPLO: De momento me está encantando. Con un poquito cunde mucho. Ilumina y nutre el rostro.
RESPUESTA: positivo

EJEMPLO: Esta bien, es fino, queda mas grande de lo que se indica en el tallaje. El gorro también es grande.
RESPUESTA: neutro

EJEMPLO: Muy elegante y bonito
RESPUESTA: positivo

EJEMPLO: Pensé que era más grande
RESPUESTA:


MODEL OUTPUT

 es el nico es que era más grande


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.


EJEMPLO: Después de mas de mes y medio esperando el producto, el día antes de que se cumpliera el plazo de entrega me llegó un mensaje de la empresa de que anulaba mi pedido
RESPUESTA: negativo

EJEMPLO: Me encanto. Ya los he comprado varias veces.
RESPUESTA: positivo

EJEMPLO: Estoy muy defraudada,ponía 2 fechas de entrega y ni una ni otra,y aún estoy esperando una respuesta de por qué no me ha llegado el producto.Si no lo hay,pues que me devuelvan el dinero.Exijo una respuesta y una solución yaaa!!!!
RESPUESTA: negativo

EJEMPLO: Me ha gustado mucho el producto. El diseño y calidad muy buenos. El pedido llegó muy rapido. Me ha encantado
RESPUESTA: positivo

EJEMPLO: Es justo lo que buscaba ni más ni menos y además es como la que tenía de hace ya años.
RESPUESTA: positivo

EJEMPLO: Es genial este producto, desde que lo tengo no he vuelto a fregar los platos con las manos al descubierto. Tiene muchas ventajas, la primera a destacar es la higiene, si no quieres mancharte o mojarte las manos, este es el producto ideal. La segunda a destacar, es que puedes utilizarlo para fregar con agua fría si no quieres gastar agua caliente. Eso si, antes de utilizarlos, hay que lavarlos.
RESPUESTA: positivo

EJEMPLO: No me ha llegado el producto. Fecha prevista 9 marzo. Figura como enviado. No sé que ha podido pasar. Gracias
RESPUESTA: negativo

EJEMPLO: El producto no llegó en el tiempo indicado, exactamente 24 días después, es lamentable que pasen estas cosas, ya no me sirve el producto para la fecha en la que ha llegado.
RESPUESTA: neutro

EJEMPLO: Llego el producto en muy mal estado,como si ya se hubiera usado.
RESPUESTA: negativo

EJEMPLO: Desde que lo monte lo he usado varias veces y de momento todo bien, El montaje es muy facil. Buen producto.
RESPUESTA: positivo

EJEMPLO: No me llegó el producto y ni el vendedor respondía los mensajes.
RESPUESTA:


MODEL OUTPUT

 negative EJEMPLO: No me llegó el producto y no el vendedor responda los mensajes.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.


EJEMPLO: EDITO: 2 meses tras la compra ha dejado de funcionar los USB (motivo por el que compré el soporte. Evidentemente tiré la caja así que me quedo sin devolución y con una mesa de plástico.
RESPUESTA: negativo

EJEMPLO: la tela no es la que esperaba
RESPUESTA: neutro

EJEMPLO: Se podría mejorar el ajuste del imán conector. Resto muy correcto. Similar al original de Surface, incluye conector supletorio USB
RESPUESTA: neutro

EJEMPLO: Tenía un disco duro de 80 GB procedente de un portátil que tiré y me daba pena tirarlo. Compré esta carcasa, bien barata, y ahora tendo un USB de 80 GB. Como digo: Perfecto y barato.
RESPUESTA: positivo

EJEMPLO: Yo usaba el tamaño slim que compraba en el estanco y pensaba que estos eran iguales pero no, son aún más cortos. Yo uso una liadora manual y ya me apaño pero para quien los lie a mano necesitará práctica. Por lo demás, relación cantidad-precio excelente.
RESPUESTA: neutro

EJEMPLO: De lo que se ve en la foto a él plástico naranja del original...en fin, más que oro parece q ya amarilleo de tener tiempo
RESPUESTA: negativo

EJEMPLO: Pues me dejé guiar por las buenas opiniones y al final ha sido un triunfazo!! a todos en casa les ha encantado. Fácil de instalar. Todo en él es metálico lo que le da robustez. He probado un poco el sonido y bueno no hay color de grabar con este micrófono a uno de auriculares que usaba antes, lo que si aconsejo que no lo pongais muy cerca de la torre del ordenador y más si es antigua porque por muy bueno que sea el micro milagros no hace jeje Viene con un usb que por ejemplo yo lo usaré para ponerlo en el portatil y poder conectarle el microfono y unos auriculares y así poder editar con él.
RESPUESTA: positivo

EJEMPLO: Buenos materiales. Gran sonido. Sin problemas de conexión con ningún dispositivo Bluetooth que he probado. Los leds le dan un toque chic.
RESPUESTA: neutro

EJEMPLO: Lo compré para un regalo y será utilizado con un iPhone X. No he tenido la oportunidad de probarlo con dicho teléfono, pero puedo hablar de la excelente calidad de los materiales, es pesado, se siente firme y tiene franjas con goma tanto en la parte superior para que el teléfono no se deslice y en su parte inferior para que no se deslice sobre la superficie donde se ubica. Sólo lo he conectado para probar las luces (azules) y si colocas un dispositivo para cargar, estás parpadean muy lentamente unas 5 veces y luego se apagan definitivamente, cosa que es de agradecer si lo vas a usar en tu mesa de noche. Por ahora lo recomiendo estéticamente, luego informaré de su funcionamiento.
RESPUESTA: positivo

EJEMPLO: Es cómodo de buen material y se adapta perfectamente a la Tablet. Buen diseño agradable al tacto. El trípode también es de utilidad.
RESPUESTA: positivo

EJEMPLO: Compré este pincho original y estoy contenta. Los datos se pasan bastante rapido,está acabado de metal. Sobre todo me encanta que se puede sujetar el teléfono. Usb muy cómodo ,original y resistente.Cumle perfectamente su funcion.Recomendable
RESPUESTA:


MODEL OUTPUT

 Cumle perfectamente su funcionamiento.Recomendable


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.


EJEMPLO: Ideal original y divertida Bolsitas de regalo o para poner golosinas, bombones, etc La forma de las orejas con el nudo ya depende de la gracia que tenga cada uno. Se recomienda rellenar bien para que no queden granos en la cara del muñeco
RESPUESTA: positivo

EJEMPLO: a mi parecer muy incómodo para jugar
RESPUESTA: neutro

EJEMPLO: Muy elegante y bonito
RESPUESTA: positivo

EJEMPLO: Para empezar, si el tiempo de envío es largo, el producto se retrasa por problema de aduanas. Solicitó la devolución, ya que es para un regalo y ante la tardanza han adquirido una prenda similar en otro sitio. Amazon me pone en contacto con el vendedor, el cual no facilita la devolución. Mientras tanto recibo el paquete y cuál es mi sorpresa que el artículo q me envían es un bolso negro, una especie de portafolios pero que nada tiene que ver con el sujetador de lactancia que encargue. Sigo en contacto con el vendedor, que aún sigue sin darme ninguna solución.
RESPUESTA: negativo

EJEMPLO: Era un regalo para unos amigos. Al parecer se ajusta perfectamente a lo que necesitaban
RESPUESTA: neutro

EJEMPLO: Apenas 4 meses y ya no carga. Mucho peor que la batería original
RESPUESTA: negativo

EJEMPLO: La compré porque tenía la original que me quedaba grande. Ésta me queda perfecta y me encanta el color. Llevo con ella ya tiempo y sigue como el primer día.
RESPUESTA: positivo

EJEMPLO: Lo volvería a comprar
RESPUESTA: positivo

EJEMPLO: Muy buen altas. Fue un regalo para una niña de 9 años y le gustó mucho
RESPUESTA: positivo

EJEMPLO: Estaba buscando unos cuchillos de carne que me durasen para muchísimo tiempo sin importarme gastar un poco más. A veces es mejor no comprar barato. Estos cuchillos van a sustituir a unos antiguos que tenía que aunque hacían bien su función se me fueron estropeando porque el mango era de plástico y de tanto lavado se fue estropeando esta parte. A primera vista ya se aprecia que son de muy buena calidad por los materiales con los que están fabricados. A destacar también el envoltorio ya que son perfectos para regalar. Muy buena compra.
RESPUESTA: positivo

EJEMPLO: Muy original para regalar
RESPUESTA:


MODEL OUTPUT

 positive


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.


EJEMPLO: Ha llegado la funda con un defecto/golpe. No me ha gustado encontrarme algo así. No estoy muy contento con el producto. Si algo tiene un defecto de fabrica, no debería de salir. Un saludo.
RESPUESTA: negativo

EJEMPLO: Es justo lo que buscaba ni más ni menos y además es como la que tenía de hace ya años.
RESPUESTA: positivo

EJEMPLO: Llego el producto en muy mal estado,como si ya se hubiera usado.
RESPUESTA: negativo

EJEMPLO: En una primera instancia llego defectuoso, pero me lo cambiaron sin problema y funciona bien.
RESPUESTA: neutro

EJEMPLO: Estoy muy defraudada,ponía 2 fechas de entrega y ni una ni otra,y aún estoy esperando una respuesta de por qué no me ha llegado el producto.Si no lo hay,pues que me devuelvan el dinero.Exijo una respuesta y una solución yaaa!!!!
RESPUESTA: negativo

EJEMPLO: Funciona bien, pero a veces apretando se suelta.
RESPUESTA: neutro

EJEMPLO: Hola, el producto me parece muy bueno pero solicité su devolución y nunca vienieron. la empresa con la que trabajan de envío no es buena.
RESPUESTA: neutro

EJEMPLO: El producto en si, esta bien, encaja perfecto, pero la mochila llegó con dos manchas de tinta supongo, y una de las cremalleras rota, aunque con la otra cierra bien.
RESPUESTA: neutro

EJEMPLO: Me encanto. Ya los he comprado varias veces.
RESPUESTA: positivo

EJEMPLO: Por lo que cuesta, no está mal, recomendable su compra, como producto asequible.
RESPUESTA: neutro

EJEMPLO: El producto venia defectuoso y no funcionaba, ademas parece que estaba usado.
RESPUESTA:


MODEL OUTPUT

 negative EJEMPLO: El product venia defectuoso y no funcionaba, ademas parece que estaba usado.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.


EJEMPLO: Està bien para el precio que tiene
RESPUESTA: neutro

EJEMPLO: No pesa, no abulta, no se mueve. Me parece perfecto. Para una micro cuatro tercios, es perfecto. Si lo recomiendo.
RESPUESTA: positivo

EJEMPLO: Perfecto a un precio increíble
RESPUESTA: positivo

EJEMPLO: Correcto.Cumple su cometido y los adhesivos son bastante fuertes.No se despegan facilmente.Por precio merece la pena teniendo en cuenta que vienen 10 unidades.
RESPUESTA: neutro

EJEMPLO: Es bastante simple y no trae muchas cosas pero más completo que otros que he visto más caros. Para el precio está bien.
RESPUESTA: neutro

EJEMPLO: Para el colegio son perfectos.Duran mucho tiempo.Llegaron antes de tiempo.
RESPUESTA: positivo

EJEMPLO: Todo perfecto, gran calidad a un gran precio y dificil de encontrar por llevar el destornillador en lugar del sacacorchos.
RESPUESTA: positivo

EJEMPLO: SIEMPRE LO COMPRO, PERO LO MALO ES EL PRECIO, MUY CARO Y CADA VEZ LO SUBEN MAS DE PRECIO CUANDO SON UNAS PEGATINAS. NO OBSTANTE, HACEN SU USO, PERO SOLO POR UNOS DIAS ESCASOS... AUN ASI ES UNA NOVEDAD
RESPUESTA: neutro

EJEMPLO: Muy bonitas y el precio genial
RESPUESTA: positivo

EJEMPLO: Todo perfecto por lo que vale.
RESPUESTA: positivo

EJEMPLO: Por el precio que tienen son simplemente perfectos.
RESPUESTA:


MODEL OUTPUT

 positive


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.


EJEMPLO: No cubre toda la pantalla. La margen negra tapa la laterales como un medio mm.
RESPUESTA: negativo

EJEMPLO: Un poquito escaso pero funciona , hay que seguir bien todos los pasos
RESPUESTA: positivo

EJEMPLO: Esta muy bien pero me defraudó la frontal ya que no reacciona bien la huella dactilar
RESPUESTA: neutro

EJEMPLO: No me ha gustado nada. Mucho calor dentro, resiste mal el viento, aunque no sea fuerte, los enganches se sueltan de las piquetas con facilidad. No la recomiendo.
RESPUESTA: negativo

EJEMPLO: La tapa del inodoro es bonita, pero los anclajes son una basura la tapa se gira si o si y cuando pretendes apretarla se rompe el anclaje
RESPUESTA: negativo

EJEMPLO: No le doy las 5 estrellas por q el cristal no llega a cubrir del todo ( a lo ancho) el smartphone. Lo puse varias veces y a lo ancho se queda un poco corto. Por lo demás super bien embalado.. en si cajita antigolpes... Manual de instrucciones, toallitas.. no falta detalle la verdad.. la única pega.. la q comenté anteriormente...
RESPUESTA: neutro

EJEMPLO: Era un regalo y la verdad que esta dando la talla que deseaba!! Facil de utilización y muy creativo.
RESPUESTA: positivo

EJEMPLO: es de mala calidad y no funciona bien
RESPUESTA: negativo

EJEMPLO: La calidad no es muy buena. A la primera puesta le han salido un montón de bolas y me ha dejado el colchón lleno de pelusas como se puede ver en la foto adjunta. Además, los laterales no viene con costura. No lo recomiendo.
RESPUESTA: negativo

EJEMPLO: No funciona lo he devuelto, no hace nada
RESPUESTA: negativo

EJEMPLO: Diseño bonito...no se pega bien a la pantalla...las teclas laterales no funciona bien...la inferiores funcionan mal
RESPUESTA:


MODEL OUTPUT

 negative


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.


EJEMPLO: La máquina No funciona correctamente no corta el pelo se atasca desde el principio, es decir, no es un producto que yo recomiende. Baja calidad no recomendable.
RESPUESTA: negativo

EJEMPLO: Va bien y es más barato que otras marcas
RESPUESTA: positivo

EJEMPLO: Para llevarlo en la autocaravana para mi yorsay
RESPUESTA: positivo

EJEMPLO: Lo compre pensando en conectar para transmisión de datos y solo sirve para cargar la batería. Para esto último es práctico. Pero si lo quieres para otra cosa no vale.
RESPUESTA: neutro

EJEMPLO: El marco cubre más del marco del reloj. O sea invade la pantalla. Siempre quedan algunas burbujas, lo he instalado 3 veces. Por último, y lo peor de todo, horrible la sensación táctil. Casi no obedece. Estoy a punto de quitarlo y comprar otro. Y eso que compre dos de este modelo.
RESPUESTA: negativo

EJEMPLO: No asusta palomas. No sirve para lo que pone.
RESPUESTA: negativo

EJEMPLO: El sonido me a parecido bastante decente pero me hacen daño en las orejas después de un tiempo puestos. Los he devuelto
RESPUESTA: neutro

EJEMPLO: Sirve para ir por rectas pero si coges una curva del circuito se sale el 100%de las veces por lo que lo tienes que poner con las manos. Esto hace que te aburras. No lo recomiendo.
RESPUESTA: neutro

EJEMPLO: No lo recomiendo!!! envío fue rápido .. pero muñeca tiene un ojito mal pintada ..estoy muy decepcionada con la compra deberían revisar los envíos antes de empaquetarlos
RESPUESTA: negativo

EJEMPLO: Parece que protege bien, pero lo he devuelto porque no se apoya de manera estable. Queda demasiado vertical y es fácil que se caiga.
RESPUESTA: negativo

EJEMPLO: Según la recomendación que ponía en la descripción que servia para las máquinas BOSCH así es!! Va fenomenal. De hecho compré una segunda.
RESPUESTA:


MODEL OUTPUT

 es el recomendación que tiene en la descripción que servia para las máquinas BOSCH as es!! Va fenomenal. De hecho compre una segunda.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.


EJEMPLO: Me he quedado un tanto decepcionado con el producto. Baja estabilidad, materiales poco resistentes, sensación de poco recorrido hacen que lo pagado sea lo justo por lo recibido. Vistas las críticas de anteriores compradores me esperaba más. Aún me estoy pensando si estrenarlo o si directamente proceder a su devolución.
RESPUESTA: neutro

EJEMPLO: Lo que no me a gustado es que no traiga un folleto de información del sistema de cómo funciona
RESPUESTA: negativo

EJEMPLO: Lo compré para un regalo y será utilizado con un iPhone X. No he tenido la oportunidad de probarlo con dicho teléfono, pero puedo hablar de la excelente calidad de los materiales, es pesado, se siente firme y tiene franjas con goma tanto en la parte superior para que el teléfono no se deslice y en su parte inferior para que no se deslice sobre la superficie donde se ubica. Sólo lo he conectado para probar las luces (azules) y si colocas un dispositivo para cargar, estás parpadean muy lentamente unas 5 veces y luego se apagan definitivamente, cosa que es de agradecer si lo vas a usar en tu mesa de noche. Por ahora lo recomiendo estéticamente, luego informaré de su funcionamiento.
RESPUESTA: positivo

EJEMPLO: Producto con evidentes señales de uso
RESPUESTA: negativo

EJEMPLO: Mi valoración no es sobre el producto sino sobre AMAZON. Ofrecéis el producto a 299€ y tras varios días me devolvéis el dinero porque os habéis equivocado en el anuncio, según vosotros, ahora es 399€. Es la primera vez que me ocurre esto. Cuando he comprado en cualquier sitio y el precio marcado no se correspondía con el valor de caja siempre me lo han vendido con el precio marcado. Es inverosímil lo ocurrido, pero la ultima palabra me la dará la oficina del consumidor
RESPUESTA: negativo

EJEMPLO: Comoda, y de buena calidad, recomendada
RESPUESTA: positivo

EJEMPLO: Al principio perfecta pero a las pocas semanas se me fastidió el selector. La pude devolver sin problemas como siempre Amazon y su ejemplar servicio atencion al cliente.
RESPUESTA: negativo

EJEMPLO: Después de mas de mes y medio esperando el producto, el día antes de que se cumpliera el plazo de entrega me llegó un mensaje de la empresa de que anulaba mi pedido
RESPUESTA: negativo

EJEMPLO: No me gusta las pocas especificaciones del producto y las etiquetas arrancadas, eso no me ha gustado.
RESPUESTA: neutro

EJEMPLO: Le había dado cinco estrellas y una opinión muy positiva, el aparato funcionó bien mientras funcionó, el problema es que funcionó poco tiempo. Hoy, apenas tres meses después de adquirirlo, he ido a encenderlo y en lugar de arrancar se ha quedado parado. Unos segundos más tarde ha soltado un chispazo y ahí se ha quedado. No se le ha dado ningún golpe, ni se ha usado para nada distinto a su finalidad, así que la única explicación lógica es que viniera defectuoso de fábrica. Amazon me va a reembolsar el importe en garantía en cuanto lo devuelva, así que por ese lado no tengo queja.
RESPUESTA: negativo

EJEMPLO: Es la tercera vez que publico una opinión sobre este proyector y como la crítica es pésima parece ser que no me las han querido publicar. Me decidí a comprarlo fiándome de 3 opiniones positivas. Misteriosamente, después de escribir las dos opiniones fallidas y devolver el producto empezaron a aparecer decenas de comentarios EXCELENTES acerca de este proyector. Mi consejo es que no os fiéis de las opiniones cuando adquiráis un proyector chino.
RESPUESTA:


MODEL OUTPUT




PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.


EJEMPLO: Encaja a la perfección
RESPUESTA: positivo

EJEMPLO: Después de unos meses de uso cumple su función. Materiales y acabados buenos, lo que no me gusta es que la ventana es muy oscura y cuesta ver la hora
RESPUESTA: neutro

EJEMPLO: cumple con lo estipulado
RESPUESTA: neutro

EJEMPLO: Cumplen satisfactoriamente con la función. Se pueden recortar y son gruesas. Buena relación calidad precio
RESPUESTA: positivo

EJEMPLO: Fatal!!! No funciona en inducción aunque pone que si, es un engaño!!!!!
RESPUESTA: negativo

EJEMPLO: Muy bueno, cumple perfectamente su cometido
RESPUESTA: positivo

EJEMPLO: Es una plancha, por el centro cocina y por los lados no.No la compréis la
RESPUESTA: negativo

EJEMPLO: En su línea, la verdad. Acción hasta el final, mujeres apasionantes, hombres enamorados y mucha acción. La verdad es que engancha desde el principio.
RESPUESTA: positivo

EJEMPLO: Cumple con lo indicado
RESPUESTA: positivo

EJEMPLO: Ha llegado la caratula un poco rajada. Por lo demás todo bien.
RESPUESTA: neutro

EJEMPLO: Cumple su función a la perfección
RESPUESTA:


MODEL OUTPUT

 positive


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.


EJEMPLO: Despues de 2 dias esperando la entrega ,tuve que ir a buscarlo a la central de DHL de tarragona ,pese a haber pagado gastos de envio (10 euros),y encima me encuentro con un paquete todo golpeado en el que faltan partes del embalaje de carton y el resto esta sujeto por multitud de tiras de celo gigantesco pata que no se desmonte el resto de la caja ,nefasto he hecho varias reclamaciones a la empresa de transporte y encima me encuentro el paquete en unas condiciones horrorosas con multiples golpes,espero que al menos funcione.Nada recomendable,ni el vendedor ni amazon ni por supuesto el transportista DHL.
RESPUESTA: negativo

EJEMPLO: Muy buena funda, todo perfecto!
RESPUESTA: positivo

EJEMPLO: Es cómodo de buen material y se adapta perfectamente a la Tablet. Buen diseño agradable al tacto. El trípode también es de utilidad.
RESPUESTA: positivo

EJEMPLO: Cumple su propósito aunque son bastante endebles, hay que poner prendas ligeras si no se abren por el peso.
RESPUESTA: neutro

EJEMPLO: Tiene un perfume muy agradable y duradero a la vez que discreto. Una sola barrita al día perfuma mi salón para todo el día.
RESPUESTA: positivo

EJEMPLO: Todo perfecto,lo unica malo es que el transportista forzo el DVD para entrarlo en el buzon y no pico el timbre estando yo en casa.
RESPUESTA: positivo

EJEMPLO: Para llevarlo en la autocaravana para mi yorsay
RESPUESTA: positivo

EJEMPLO: Es muy pequeña y tardó bastante en llegar. Pienso que es una pieza más para aire que para agua. El paso es muy pequeño.
RESPUESTA: neutro

EJEMPLO: La funda para el sofá es muy fina. El material no transmite sensación de que vaya a durar en el tiempo, pero por el precio que tiene no podría pedirse algo mejor, o si?. Compré una funda de marca para la barbacoa y comprado con esta es de risa. En principio hace de repelente de agua, pero no lo he probado con lluvia torrencial, lo he probado tirándole un poco de agua en una zona con un vaso. Habría que volver a valorar esta funda con el paso del tiempo para ver si merece la pena o no su compra.
RESPUESTA: neutro

EJEMPLO: El articulo ha venido golpeado. El vendedor solo dice que dará conocimiento a la agencia de transporte. Nos toca quedarnos con el articulo en MAL ESTADO
RESPUESTA: negativo

EJEMPLO: Buen trípode pero la haría falta que viniera con una funda de transporte para poderlo llevar cómodamente y protegido al lugar de trabajo.
RESPUESTA:


MODEL OUTPUT

 Por qué trabajo, qué es trabajo?


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.


EJEMPLO: Es un regalo para la profesora..todo perfecto!!
RESPUESTA: positivo

EJEMPLO: Edición muy cuidada. Tiene buen sonido y me llegó muy rápido. En perfecto estado, sin ningún rasguño. A día de hoy no tengo ninguna pega. Además es muy original, destaca entre toda la colección de vinilos.
RESPUESTA: positivo

EJEMPLO: Perfecto a un precio increíble
RESPUESTA: positivo

EJEMPLO: Pedido con retraso, y lo peor es que aún no ha llegado. Se trataba de un regalo y calculé para que llegara de sobra, pero el envío no ha llegado todavía y la única solucion por parte del vendedor es que espere un poco más.
RESPUESTA: negativo

EJEMPLO: Su estabilidad es muy buena, al igual que su uso. Pesa poco y ofrece mucha seguridad. Ideal para llegar a cualquier sitio normal.
RESPUESTA: positivo

EJEMPLO: Para el colegio son perfectos.Duran mucho tiempo.Llegaron antes de tiempo.
RESPUESTA: positivo

EJEMPLO: El envío muy rápido, el mismo día del lanzamiento del libro. La lástima es que me lo han mandado algo deteriorado, en la parte superior hay una zona que está como rasgada. Era para un regalo.
RESPUESTA: neutro

EJEMPLO: Rápido y confiable, muy recomendable.
RESPUESTA: positivo

EJEMPLO: Funciona bien, pero a veces apretando se suelta.
RESPUESTA: neutro

EJEMPLO: Muy buena funda, todo perfecto!
RESPUESTA: positivo

EJEMPLO: un vendedor estupendo ...me ha llegado muy rapido en perfecto estado, y encima con un regalito ... funcciona perfecto ... muchas gracias
RESPUESTA:


MODEL OUTPUT

 positive


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.


EJEMPLO: No lo envían en caja. Se me deformó. Me devolvieron el dinero
RESPUESTA: negativo

EJEMPLO: Un poquito escaso pero funciona , hay que seguir bien todos los pasos
RESPUESTA: positivo

EJEMPLO: Las tintas son una basura.Solo imprime en blanco y negro y no en color.Dinero tirado.
RESPUESTA: negativo

EJEMPLO: No eran las medidas que marcaban
RESPUESTA: negativo

EJEMPLO: En las caracteristicas se indica que son tres piezas pero en el paquete solo vienen dos. No se si trata de un error o de mucho morro.
RESPUESTA: negativo

EJEMPLO: Es una plancha, por el centro cocina y por los lados no.No la compréis la
RESPUESTA: negativo

EJEMPLO: Era un regalo para unos amigos. Al parecer se ajusta perfectamente a lo que necesitaban
RESPUESTA: neutro

EJEMPLO: Más pequeño de lo esperado
RESPUESTA: neutro

EJEMPLO: La esfera es azul marino y pone negra ami no me guata la verdad aparte de eso no lo recomiendo
RESPUESTA: negativo

EJEMPLO: Me leí el libro de la chica del semáforo y el hombre del coche y me encantó, desde mi punto de vista este libro sobraba un poco, tiene muchísimas erratas que se deberían corregir, lo dicho este libro no es necesario leerlo
RESPUESTA: negativo

EJEMPLO: No merece la pena seguir escribiendo , no son una buena alternativa a los oficiales dinero tirado a la basura
RESPUESTA:


MODEL OUTPUT

 negative


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.


EJEMPLO: Me ha gustado porque tiene una buena estructura y gran capacidad para guardar ropa, calzado...
RESPUESTA: positivo

EJEMPLO: Lo que no me a gustado es que no traiga un folleto de información del sistema de cómo funciona
RESPUESTA: negativo

EJEMPLO: El botón no funciona, con lo cual si quieres pararlo, necesitas quitarle las pilas. No lo recomiendo.
RESPUESTA: negativo

EJEMPLO: El armario está bastante bien. Pero el tema de mensajeria deja mucho que desear, aunque llego relativamente rapido (algo menos de 2 semanas), vino con varios golpes los cuales dificultan el montaje e interrumpen el cierre y apertura de puertas
RESPUESTA: neutro

EJEMPLO: ha salido con defecto, en llamadas salientes no se oye al interlocutor, lo cambie por otro igual y he tenido el mismo problema
RESPUESTA: negativo

EJEMPLO: Descripcion buena. Muy rapido y fiable. Gracias
RESPUESTA: positivo

EJEMPLO: La lámpara de secado no seca y los esmaltes duran muy poco (apenas una semana).
RESPUESTA: negativo

EJEMPLO: Funciona eso es lo importante
RESPUESTA: positivo

EJEMPLO: Me hubiera gustado que se vea por la noche con otro tipo de iluminación. No tengo claro que sea muy preciso.
RESPUESTA: neutro

EJEMPLO: Es demasiado grueso, queda tosco y un pelín feo, las hay más discretas que quedan mucho mejor por el mismo precio
RESPUESTA: neutro

EJEMPLO: La comodidad y el buen funcionamiento, lo que menos, que no guarde en una pequeña memoria la posicion del switch, es necesario pasa + directo.
RESPUESTA:


MODEL OUTPUT

 No need to use a texting clasificación de texto. EJEMPLO: Me ha gustado porque tiene una buena estructura y gran capacidad para guardar ropa, calzado


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.


EJEMPLO: Perfectas. Encajan perfectamente en el coche. Buena calidad del material. Las imágenes se ajustan a la realidad. Un 10. Recomendable 100%. Os ahorráis un dinero. Y mucha mejor calidad que las originales.
RESPUESTA: positivo

EJEMPLO: Molde resistente y bueno. No pesa nada. Muy práctico.
RESPUESTA: positivo

EJEMPLO: Filtran perfectamente el sol cuando conduces, si en vez de plástico fueran de cristal seria perfecto. 😎
RESPUESTA: neutro

EJEMPLO: Ha llegado la funda con un defecto/golpe. No me ha gustado encontrarme algo así. No estoy muy contento con el producto. Si algo tiene un defecto de fabrica, no debería de salir. Un saludo.
RESPUESTA: negativo

EJEMPLO: Excelente material y rapidez en el envio. Recomiendo
RESPUESTA: positivo

EJEMPLO: es perfecto muy práctico y no provocan molestias al llevarlos. llego correcto y bien embalado en la fecha prevista, buena calidad - precio. buena compra.
RESPUESTA: positivo

EJEMPLO: Práctica pero le falta que el suelo sea rígido.
RESPUESTA: neutro

EJEMPLO: Mala calidad, solo funciona la mitad, nada recomendable
RESPUESTA: neutro

EJEMPLO: Perfecto para uso común donde admita uso de aceite con silicona
RESPUESTA: positivo

EJEMPLO: El edredón no está mal, pero esperaba mayor calidad en el tejido.Práctico para lavar, pues es fino. En invierno veré si abriga lo suficiente
RESPUESTA: neutro

EJEMPLO: Regla de patchwork perfecta para medir los bloques. Buena calidad/precio. Realizada en material muy resistente. Sus medidas la hacen muy práctica
RESPUESTA:


MODEL OUTPUT

 positive EJEMPLO: Filtran perfectamente el sol cuando conduces, si en vez de plástico fueran de cristal seria perfecto.  RESPUESTA: positivo EJEMPLO: es perfecto muy


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.


EJEMPLO: En poco tiempo el asa que sube y baja ya no funciona correctamente. Estoy decepcionada, ya que era para utilizar todas las semanas.
RESPUESTA: neutro

EJEMPLO: Un desastre de producto. Los globos imposibles de inchar, sin instrucciones, Valvulas imposibles y que se rompen. No lo recomiendo en absoluto.
RESPUESTA: negativo

EJEMPLO: los llaveros son de plástico finito,pero por el precio no se puede pedir más .Las pulseras tallan un poco grande para niños
RESPUESTA: neutro

EJEMPLO: Muy fácil de instalar. Además ocupa muy poco comparado con otros sistemas. El mando a distancia con el nuevo sistema tiene un alcance verdaderamente largo y muy rápida respuesta. No se calienta.
RESPUESTA: positivo

EJEMPLO: Quedan perfectas y para mi gusto sientan mejor que el modelo OS que también tengo y resulta caluroso frente a este.
RESPUESTA: positivo

EJEMPLO: Es de papel muy delicado.Al abrirla se rompio un poco pero luego no se nota, no incluye ningun cable ni rosca para la bombilla, tienes que comprarlo aparte.
RESPUESTA: neutro

EJEMPLO: En las caracteristicas se indica que son tres piezas pero en el paquete solo vienen dos. No se si trata de un error o de mucho morro.
RESPUESTA: negativo

EJEMPLO: El marco cubre más del marco del reloj. O sea invade la pantalla. Siempre quedan algunas burbujas, lo he instalado 3 veces. Por último, y lo peor de todo, horrible la sensación táctil. Casi no obedece. Estoy a punto de quitarlo y comprar otro. Y eso que compre dos de este modelo.
RESPUESTA: negativo

EJEMPLO: Envío rápido pero la bolsa viene sin caja ( en otras tiendas online viene mejor empaquetado) y por consecuencia la bolsa tenía varios puntos con agujeros... La comida está en buen estado pero ya no te da la misma confianza. Fecha de caducidad correcta.
RESPUESTA: neutro

EJEMPLO: Todo perfecto, gran calidad a un gran precio y dificil de encontrar por llevar el destornillador en lugar del sacacorchos.
RESPUESTA: positivo

EJEMPLO: Los separadores no se sujetan. O son de otro modelo o falta una pieza en el medio, un desastre ya que lo compré para utilizarlo con dos bolsas y es muy incómodo. Bastante decepcionado.
RESPUESTA:


MODEL OUTPUT

 o es decir, o es decir, o es decir, o es decir, o es decir, o es decir, o es decir, o es decir


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.


EJEMPLO: Muy buena calidad. Lo recomiendo.
RESPUESTA: positivo

EJEMPLO: Buen arnés, buenos materiales, bien acabado y muy cómodo para el animal, se nota que va mucho mejor, quizás un pelín aparatoso, pero es lo que conlleva el diseño del propio arnés y sus mullidos.
RESPUESTA: positivo

EJEMPLO: No le doy las 5 estrellas por q el cristal no llega a cubrir del todo ( a lo ancho) el smartphone. Lo puse varias veces y a lo ancho se queda un poco corto. Por lo demás super bien embalado.. en si cajita antigolpes... Manual de instrucciones, toallitas.. no falta detalle la verdad.. la única pega.. la q comenté anteriormente...
RESPUESTA: neutro

EJEMPLO: Después de mas de mes y medio esperando el producto, el día antes de que se cumpliera el plazo de entrega me llegó un mensaje de la empresa de que anulaba mi pedido
RESPUESTA: negativo

EJEMPLO: Después de un año de tenerlas, muy contenta. Tras varios lavados y secadoras no tiene bolitas. Muy buena calidad. Lo único que la funda de cojín es demasiado grande para mi gusto.
RESPUESTA: positivo

EJEMPLO: A los pocos meses se ha puesto negra. No es plata
RESPUESTA: negativo

EJEMPLO: Ya había probado varios aparatos de este tipo y este supera todos los que ya he tenido . Es muy cómodo que sea recargable y no de pilas como la mayoría. Pero además el mango giratorio es una comodidad.
RESPUESTA: positivo

EJEMPLO: Compre este vapeador para un amigo y es perfecto pero a las primeras de uso ya estaba goteando y le a perdido mucho líquido. 2 botes en un día. Voy a tener que devolverlo.
RESPUESTA: negativo

EJEMPLO: Para mí es uno de los mejores. Lo compré por que me hacía falta para ¡ya! . Lo peor, el precio pues lo compro más barato en otros sitios.
RESPUESTA: positivo

EJEMPLO: Estuche para flauta muy cómodo. Muy buenos acabados. Esta marca ofrece productos de muy buena calidad.
RESPUESTA: positivo

EJEMPLO: Lo compré para tener todos los anzuelos y accesorios. Realmente hay poco de lo que se pueda utilizar. Anzuelos muy grandes y toscos. No recomiendo este producto.
RESPUESTA:


MODEL OUTPUT

 positive EJEMPLO: I am compreendo a todos los aos y accesorios. Realmente hay poco de lo que pueda usar. Anzuelos muy grande y toscos.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.


EJEMPLO: cumple con lo estipulado
RESPUESTA: neutro

EJEMPLO: Malísimo para nadar es muy endeble de abajo el tubo no vale nada se sale mucho no puedes nadar
RESPUESTA: negativo

EJEMPLO: Son bonitos pero endebles y muy pequeños no corresponde a la foto Y el enganche estaba roto no se podían cerrar.
RESPUESTA: negativo

EJEMPLO: Me llegó roto aunque el paquete iba bien embalado. La talla no coincide con la medida.
RESPUESTA: negativo

EJEMPLO: Muy mala experiencia. Te puedes tirar la vida, intentando q se sequen. Una mierda, vamos. 🤬🤬🤬
RESPUESTA: negativo

EJEMPLO: En su línea, la verdad. Acción hasta el final, mujeres apasionantes, hombres enamorados y mucha acción. La verdad es que engancha desde el principio.
RESPUESTA: positivo

EJEMPLO: No es que brillen un monton pero estan bien
RESPUESTA: neutro

EJEMPLO: Es un poco endeble sobretodo en los botones
RESPUESTA: neutro

EJEMPLO: Bueno en la oferta se incluían 5 piezas para soporte que no llegaron con el paquete
RESPUESTA: neutro

EJEMPLO: La patilla de las gafas se sale demasiado fácil de la cadena
RESPUESTA: neutro

EJEMPLO: Demasiado endebles no enganchan bien
RESPUESTA:


MODEL OUTPUT

 negative


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.


EJEMPLO: No lo envían en caja. Se me deformó. Me devolvieron el dinero
RESPUESTA: negativo

EJEMPLO: ES EXACTAMENTE IGUAL QUE EN LA FOTO, PERO LO MALO ES QUE EN LA BASE TIENE AGUJERITOS OSEA QUE SI LO DEJAS EN LA ENCIMARA EL AGUA SE COLARA, ABRIA QUE PONER ALGO DEBAJO
RESPUESTA: neutro

EJEMPLO: Muy contento al ver la cara de mi mujeres...
RESPUESTA: neutro

EJEMPLO: Se me ha desconchado al despegar una pieza. Lo he devuelto.
RESPUESTA: negativo

EJEMPLO: Bueno en la oferta se incluían 5 piezas para soporte que no llegaron con el paquete
RESPUESTA: neutro

EJEMPLO: Solo vale 1 de las 2 entradas
RESPUESTA: negativo

EJEMPLO: Muy bonitos pero bastante pequeños. Precio elevado. Más de ocho euros
RESPUESTA: neutro

EJEMPLO: La lámpara de secado no seca y los esmaltes duran muy poco (apenas una semana).
RESPUESTA: negativo

EJEMPLO: cumple con lo estipulado
RESPUESTA: neutro

EJEMPLO: Te deja con la incertidumbre este tomo porque es justo donde queda el anime.
RESPUESTA: positivo

EJEMPLO: Débil. Se mueve mucho la base.
RESPUESTA:


MODEL OUTPUT

 eso es el tarea de clasificación de texto.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.


EJEMPLO: Es suave y como de poner
RESPUESTA: positivo

EJEMPLO: Para mi es complicada de usar. No pesa bien y no trae unas instrucciones claras para calibrarla bien y poder pesar con ella. No estoy contento con la compra me parece complicada de usar.
RESPUESTA: neutro

EJEMPLO: es muy pequeña y tiene poco aluminio y se a abierto un poco aluminio es muy cómoda y cabe bien la comida
RESPUESTA: neutro

EJEMPLO: En la pagina pone que se envian 2 pares y solo llega uno.
RESPUESTA: neutro

EJEMPLO: Fácil de conectar, pequeño y manejable. El sonido regular y se oye bastante flojito. No lo volvería a comprar.
RESPUESTA: neutro

EJEMPLO: Tuve uno de la marca Kong y lo rompió en dos días, este es mas “duro” y resistente y vuela un poco más. Encantado con la compra
RESPUESTA: positivo

EJEMPLO: Comodo y facil de colocar.Muy estable.
RESPUESTA: positivo

EJEMPLO: He probado el manómetro y no aguanta con la presión para compararla, la va perdiendo poco a poco, y no es igual que otros manómetros.
RESPUESTA: neutro

EJEMPLO: La tarta es un poco pequeña y los complementos más aun. Me esperaba otra cosa. Pero está bien. Es plástico todo
RESPUESTA: neutro

EJEMPLO: Pedido con retraso, y lo peor es que aún no ha llegado. Se trataba de un regalo y calculé para que llegara de sobra, pero el envío no ha llegado todavía y la única solucion por parte del vendedor es que espere un poco más.
RESPUESTA: negativo

EJEMPLO: Es cómoda y fácil de usar solo un poco pequeña y le falta ser impermeable
RESPUESTA:


MODEL OUTPUT

 es cómoda y fácil de conectar, pequeo y manejable. El sonido regular y se oye bastante flojito. No lo volvera a comprar.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.


EJEMPLO: Está muy bien, corren y saltan detrás de ellos.
RESPUESTA: positivo

EJEMPLO: Es pequeño, silencioso y no pesa nada. Lo uso para calentar una habitación de tamaño medio y a los 10 minutos (a máxima potencia) tengo que apagarlo porque hace calor. Genial.
RESPUESTA: positivo

EJEMPLO: He tenido q valorarlo con una estrella pero no sé la merece porq no duró ni una semana,con el calor y el agua se despega y para tirarlo.
RESPUESTA: negativo

EJEMPLO: No están mal aunque son enormes, yo e cortado la parte de los aros y las puse en la parte trasera ya que sino ocupa mucho espacio.
RESPUESTA: neutro

EJEMPLO: Hola buenas, me llego el reloj el dia 11 y no funciona bien, le tocas para ver la hora o ponerlo en marcha y va cuando quiere, le tienes que dar muchisimas veces. Lo que deseo saber es como hacer la devolución y que me enviarán otro en perfecto estado. Gracias Atentamente Paqui
RESPUESTA: negativo

EJEMPLO: Es muy pequeña y tardó bastante en llegar. Pienso que es una pieza más para aire que para agua. El paso es muy pequeño.
RESPUESTA: neutro

EJEMPLO: A mí no me las ha dejado muy limpias...o no se usarlo bien o no es tan efectivo como dicen.
RESPUESTA: neutro

EJEMPLO: Contentísimos,el primer día trago agua hasta equilibrarse y después perfectos.... Mi niña tiene 2 años..
RESPUESTA: positivo

EJEMPLO: Está bien para el precio que tiene, no sirve para llevar cosas frías, el tamaño es un poco justo, caben dos tuppers pequeños y una lata
RESPUESTA: neutro

EJEMPLO: Mejor de lo que esperaba, tiene buena capacidad y queda perfecto. Es más grande de lo que esperaba. Por fin el vidrio está ordenado.
RESPUESTA: positivo

EJEMPLO: No es de gran tamaño, así en la mesita te caben más cosas; es muy útil ya que te dice hasta la temperatura que hace en ese momento, el día de la semana en letra y en numero, la humedad.. es perfecto y además va por pilas
RESPUESTA:


MODEL OUTPUT

 es perfecto y además va por pilas


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.


EJEMPLO: El botón no funciona, con lo cual si quieres pararlo, necesitas quitarle las pilas. No lo recomiendo.
RESPUESTA: negativo

EJEMPLO: Molde resistente y bueno. No pesa nada. Muy práctico.
RESPUESTA: positivo

EJEMPLO: Nunca llegué a recibirlo!!!!
RESPUESTA: negativo

EJEMPLO: Las tallas ...es dificil acertar con la correcta o te aprietan mucho o te sobra...
RESPUESTA: neutro

EJEMPLO: Apenas 4 meses y ya no carga. Mucho peor que la batería original
RESPUESTA: negativo

EJEMPLO: Encaja a la perfección
RESPUESTA: positivo

EJEMPLO: La esfera es azul marino y pone negra ami no me guata la verdad aparte de eso no lo recomiendo
RESPUESTA: negativo

EJEMPLO: todo parce bien, aun no lo he probado pero de primer vistazo todo esta correcto, no pongo más estrellas por eso
RESPUESTA: neutro

EJEMPLO: Es falso,trae una bomba que no es la de Loreal.He iniciado la devolución.
RESPUESTA: negativo

EJEMPLO: No eran las medidas que marcaban
RESPUESTA: negativo

EJEMPLO: Las planté pero no creció nada!
RESPUESTA:


MODEL OUTPUT

 negative


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.


EJEMPLO: No eran las medidas que marcaban
RESPUESTA: negativo

EJEMPLO: Quedan perfectas y para mi gusto sientan mejor que el modelo OS que también tengo y resulta caluroso frente a este.
RESPUESTA: positivo

EJEMPLO: Ha venido con el cerdito suelto y limado en ciertas zonas, la caja obviamente rota. Si lo quieres para exponer, exige mayor cuidado a la hora de la compra.
RESPUESTA: neutro

EJEMPLO: Para el colegio son perfectos.Duran mucho tiempo.Llegaron antes de tiempo.
RESPUESTA: positivo

EJEMPLO: Està bien para el precio que tiene
RESPUESTA: neutro

EJEMPLO: La parte de abajo no está mal pero el sujetador de copa me va bien pero las cintas para atarlo son muy largas
RESPUESTA: negativo

EJEMPLO: Práctica pero le falta que el suelo sea rígido.
RESPUESTA: neutro

EJEMPLO: Solo viene una en el paquete
RESPUESTA: neutro

EJEMPLO: Es un regalo para la profesora..todo perfecto!!
RESPUESTA: positivo

EJEMPLO: Tened en cuenta las medidas porque es muy pequeña. Yo tuve que devolverla porque en un salón de 4m2 se veía ridícula. Pero la lámpara es bonita y de buena calidad.
RESPUESTA: negativo

EJEMPLO: Perfecto para la medida del cajon
RESPUESTA:


MODEL OUTPUT

 el lder perfecto


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.


EJEMPLO: Me ha gustado mucho el producto. El diseño y calidad muy buenos. El pedido llegó muy rapido. Me ha encantado
RESPUESTA: positivo

EJEMPLO: Calidad y buen precio
RESPUESTA: neutro

EJEMPLO: Queda un poco holgada para una cama de 150, no se ajusta del todo. El blanco no es que sea muy blanco y estas sábanas de Amazon Basics tienen todas mucha electricidad estática, recomiendo lavarlas antes de ponerlas, si no, producen muchas chispas.
RESPUESTA: neutro

EJEMPLO: Estoy muy contenta. Lo conecto cuando salgo del trabajo y al llegar a casa ya está caliente. También lo puedes programar, hora de encendido, apagado, grados. Te dice también en el móvil a cuantos grados está tu casa. Yo lo recomiendo 100%
RESPUESTA: positivo

EJEMPLO: Llegó en su tiempo. Por el precio no está mal pero me esperaba otra cosa.
RESPUESTA: negativo

EJEMPLO: Mi valoración no es sobre el producto sino sobre AMAZON. Ofrecéis el producto a 299€ y tras varios días me devolvéis el dinero porque os habéis equivocado en el anuncio, según vosotros, ahora es 399€. Es la primera vez que me ocurre esto. Cuando he comprado en cualquier sitio y el precio marcado no se correspondía con el valor de caja siempre me lo han vendido con el precio marcado. Es inverosímil lo ocurrido, pero la ultima palabra me la dará la oficina del consumidor
RESPUESTA: negativo

EJEMPLO: Mi hija está encantada , con 6 años tiene las uñas pequeñas todavía y le quedan muy justas las calcomanías pero ella está encantada
RESPUESTA: positivo

EJEMPLO: Todo perfecto, gran calidad a un gran precio y dificil de encontrar por llevar el destornillador en lugar del sacacorchos.
RESPUESTA: positivo

EJEMPLO: Llegó a tiempo y perfectamente embalado. Excelente móvil lo poco que lo he usado me ha resultado super rápido, fotos de excelente calidad, batería de larga durabilidad, buenos acabados, sonido excelente, fácil de usar y una pantalla con full color. Ha sido una buena compra.
RESPUESTA: positivo

EJEMPLO: El reloj está bien, se ve muy bien la hora, tiene buen diseño, los plásticos no parecen muy malos, para el precio que tiene estaría muy bien excepto sino fuera por un detalle. La hebilla sobresale mucho, se me clava en la muñeca y eso que lo he llevado bastante suelto.
RESPUESTA: neutro

EJEMPLO: Calidad la justa, a mi sobrino le ha encantado por eso, se lo lleva a todas partes. Lo he encontrado en el chino de al lado de casa por un precio similar 15€
RESPUESTA:


MODEL OUTPUT

 en el lugar de la casa por un precio similar 15 €


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.


EJEMPLO: Es una plancha, por el centro cocina y por los lados no.No la compréis la
RESPUESTA: negativo

EJEMPLO: El envio correcto, el empaquetado correcto pero para su precio esperaba algo mas grande con eso no me llega ni para una pierna lo siento muy pequeño
RESPUESTA: neutro

EJEMPLO: Cumple con lo indicado
RESPUESTA: positivo

EJEMPLO: Funciona bien, pero a veces apretando se suelta.
RESPUESTA: neutro

EJEMPLO: EL PRODUCTO ES LO QUE QUERIA .PERO CON QUIEN ESTOY ENCANTADA ES CON LA TIENDA EN LA QUE LO COMPRE. ME ATENDIERON DOS CHICOS SUPER AGRADABLES Y QUE ME SOLUCIONARON TODAS MIS DUDAS Y ME FACILITARON TODAS LAS GESTIONES DE ENTREGA Y REPOSICION DE OTRO MOVIL PORQUE EL PRIMERO AL HACER ACTUALIZACION SE ESTROPEO.
RESPUESTA: positivo

EJEMPLO: Funciona eso es lo importante
RESPUESTA: positivo

EJEMPLO: Mi hija está encantada , con 6 años tiene las uñas pequeñas todavía y le quedan muy justas las calcomanías pero ella está encantada
RESPUESTA: positivo

EJEMPLO: una funda para ordenador de buena calidad y que, aun su uso, no se estropea con facilidad. Vale la pena hacer esta compra.
RESPUESTA: positivo

EJEMPLO: El botón no funciona, con lo cual si quieres pararlo, necesitas quitarle las pilas. No lo recomiendo.
RESPUESTA: negativo

EJEMPLO: Cumplen satisfactoriamente con la función. Se pueden recortar y son gruesas. Buena relación calidad precio
RESPUESTA: positivo

EJEMPLO: La plancha funciona bien pero no me parece correcto que en el anuncio se indique una potencia muy superior a la que realmente tiene, esta última indicada en la propia plancha.
RESPUESTA:


MODEL OUTPUT

 ltima indicada en la propia plancha.


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.


EJEMPLO: SIEMPRE LO COMPRO, PERO LO MALO ES EL PRECIO, MUY CARO Y CADA VEZ LO SUBEN MAS DE PRECIO CUANDO SON UNAS PEGATINAS. NO OBSTANTE, HACEN SU USO, PERO SOLO POR UNOS DIAS ESCASOS... AUN ASI ES UNA NOVEDAD
RESPUESTA: neutro

EJEMPLO: Las tallas ...es dificil acertar con la correcta o te aprietan mucho o te sobra...
RESPUESTA: neutro

EJEMPLO: No lo envían en caja. Se me deformó. Me devolvieron el dinero
RESPUESTA: negativo

EJEMPLO: no ha durado ni un mes, cuando le pones la pila, en la pantalla pone cargando, y no hace nada mas.
RESPUESTA: negativo

EJEMPLO: Parece que protege bien, pero lo he devuelto porque no se apoya de manera estable. Queda demasiado vertical y es fácil que se caiga.
RESPUESTA: negativo

EJEMPLO: No pesa, no abulta, no se mueve. Me parece perfecto. Para una micro cuatro tercios, es perfecto. Si lo recomiendo.
RESPUESTA: positivo

EJEMPLO: Fácil de conectar, pequeño y manejable. El sonido regular y se oye bastante flojito. No lo volvería a comprar.
RESPUESTA: neutro

EJEMPLO: los llaveros son de plástico finito,pero por el precio no se puede pedir más .Las pulseras tallan un poco grande para niños
RESPUESTA: neutro

EJEMPLO: Me llegó roto aunque el paquete iba bien embalado. La talla no coincide con la medida.
RESPUESTA: negativo

EJEMPLO: Era un regalo y la verdad que esta dando la talla que deseaba!! Facil de utilización y muy creativo.
RESPUESTA: positivo

EJEMPLO: Pues el pantalón es muy corriente, pero x el precio no puedes pedir más. La talla un disparate enano. En lugar de devolverlo me ofrecieron enviar otro. Aún no ha llegado así q...
RESPUESTA:


MODEL OUTPUT

 no ha llegado an q


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.


EJEMPLO: Està bien para el precio que tiene
RESPUESTA: neutro

EJEMPLO: Para el colegio son perfectos.Duran mucho tiempo.Llegaron antes de tiempo.
RESPUESTA: positivo

EJEMPLO: Tiene un tono amarillo
RESPUESTA: neutro

EJEMPLO: Su precio al que lo coji bastante bueno
RESPUESTA: positivo

EJEMPLO: Era para otra persona y me dice que van bien. Más tarde vimos que se pueden conseguir más baratos en tiendas.
RESPUESTA: neutro

EJEMPLO: Sirve, pero no tiene mucha calidad
RESPUESTA: neutro

EJEMPLO: Buen precio para la gran capacidad que tiene. No tiene ruido y es totalmente manejable.
RESPUESTA: positivo

EJEMPLO: Era un regalo para unos amigos. Al parecer se ajusta perfectamente a lo que necesitaban
RESPUESTA: neutro

EJEMPLO: La funda para el sofá es muy fina. El material no transmite sensación de que vaya a durar en el tiempo, pero por el precio que tiene no podría pedirse algo mejor, o si?. Compré una funda de marca para la barbacoa y comprado con esta es de risa. En principio hace de repelente de agua, pero no lo he probado con lluvia torrencial, lo he probado tirándole un poco de agua en una zona con un vaso. Habría que volver a valorar esta funda con el paso del tiempo para ver si merece la pena o no su compra.
RESPUESTA: neutro

EJEMPLO: Perfecto a un precio increíble
RESPUESTA: positivo

EJEMPLO: Ahorro con respecto al precio en tiendas
RESPUESTA:


MODEL OUTPUT

 ahorro con respecto al precio en tiendas


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.


EJEMPLO: Es una maravilla nos ha llegado super rapido y mis hijos estan encantados construyendo toda clase de cosas,me parece un juego muy didactico y que les ayuda a pensar y desarrollar su creatividad, en mi caso buscaba algo asi y he acertado Los materiales son muy buenos
RESPUESTA: positivo

EJEMPLO: Me leí el libro de la chica del semáforo y el hombre del coche y me encantó, desde mi punto de vista este libro sobraba un poco, tiene muchísimas erratas que se deberían corregir, lo dicho este libro no es necesario leerlo
RESPUESTA: negativo

EJEMPLO: Me encanta para el bebe muy practico lo recomiendo 100%
RESPUESTA: positivo

EJEMPLO: El sol la endureció y se rasgó toda en cuanto la movió un poco el viento, no recomendable.
RESPUESTA: negativo

EJEMPLO: Mala calidad, solo funciona la mitad, nada recomendable
RESPUESTA: neutro

EJEMPLO: Lo compre pensando en conectar para transmisión de datos y solo sirve para cargar la batería. Para esto último es práctico. Pero si lo quieres para otra cosa no vale.
RESPUESTA: neutro

EJEMPLO: He probado varios auriculares ya. Estos sin duda son los que mejor resultado dan en cuanto a sonido y comodidad se refiere. Totalmente recomendable.
RESPUESTA: positivo

EJEMPLO: Es un espejo sencillo, cumple su función para ver al bebé y es fácil de instalar. Contenta con la compra.
RESPUESTA: neutro

EJEMPLO: En realidad no es muy ligero, pero tampoco es algo que incomode por el grosor que aporta al móvil.
RESPUESTA: neutro

EJEMPLO: Rápido y confiable, muy recomendable.
RESPUESTA: positivo

EJEMPLO: El libro es corto, entretenido y con buenos ejemplos. Muy practico para conocer el metodo y aplicarlo rapidamente. Muu recomendable
RESPUESTA:


MODEL OUTPUT

 positive


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.


EJEMPLO: Llego una semana despues de lo.acordado y encima me lo quieren cobrar mada huevos,
RESPUESTA: negativo

EJEMPLO: De las seis compradas, una me llegó así. Roto el cristal de raíz. No se bien donde escribir para la devolución o sustitucion de solo una de las seis, por eso escribo por aquí. Un saludo. Todo lo demás correcto, el resto funcionando perfectamente.
RESPUESTA: neutro

EJEMPLO: Pedido con retraso, y lo peor es que aún no ha llegado. Se trataba de un regalo y calculé para que llegara de sobra, pero el envío no ha llegado todavía y la única solucion por parte del vendedor es que espere un poco más.
RESPUESTA: negativo

EJEMPLO: Nunca llegué a recibirlo!!!!
RESPUESTA: negativo

EJEMPLO: Queda muy bien y te protege el reloj
RESPUESTA: positivo

EJEMPLO: A mí no me las ha dejado muy limpias...o no se usarlo bien o no es tan efectivo como dicen.
RESPUESTA: neutro

EJEMPLO: Llegó en el plazo indicado
RESPUESTA: positivo

EJEMPLO: En 2 semanas está completamente roto. Comenzó con una raya y ahora está roto por todas partes. Además de pequeño. No lo recomiendo
RESPUESTA: negativo

EJEMPLO: El sol la endureció y se rasgó toda en cuanto la movió un poco el viento, no recomendable.
RESPUESTA: negativo

EJEMPLO: Más pequeño de lo esperado
RESPUESTA: neutro

EJEMPLO: Llegó con una semana de retraso,lo demás todo bien
RESPUESTA:


MODEL OUTPUT

 el plazo indicado y se trataba de unregalo y calculé para que llegara de sobra, pero el envo no ha dejado bien o no es tan efectivo como


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.


EJEMPLO: Mi hija está encantada , con 6 años tiene las uñas pequeñas todavía y le quedan muy justas las calcomanías pero ella está encantada
RESPUESTA: positivo

EJEMPLO: Està bien para el precio que tiene
RESPUESTA: neutro

EJEMPLO: Está muy bien, corren y saltan detrás de ellos.
RESPUESTA: positivo

EJEMPLO: Ha llegado la caratula un poco rajada. Por lo demás todo bien.
RESPUESTA: neutro

EJEMPLO: La parte de abajo no está mal pero el sujetador de copa me va bien pero las cintas para atarlo son muy largas
RESPUESTA: negativo

EJEMPLO: Ya en la primera carga no duró ni dos horas
RESPUESTA: negativo

EJEMPLO: No me gusta nada de nada....pero es lo que quiere mi hija. Lo espera con ilusión....así que....bueno. Me parece un juguete muy caro para lo que es.
RESPUESTA: negativo

EJEMPLO: El reloj está bien, se ve muy bien la hora, tiene buen diseño, los plásticos no parecen muy malos, para el precio que tiene estaría muy bien excepto sino fuera por un detalle. La hebilla sobresale mucho, se me clava en la muñeca y eso que lo he llevado bastante suelto.
RESPUESTA: neutro

EJEMPLO: Funciona bien, pero a veces apretando se suelta.
RESPUESTA: neutro

EJEMPLO: A mí no me las ha dejado muy limpias...o no se usarlo bien o no es tan efectivo como dicen.
RESPUESTA: neutro

EJEMPLO: Está muy bien a mí hijo le encantó
RESPUESTA:


MODEL OUTPUT

 positive EJEMPLO:


PARSE RESULT

 ['']


PROMPT INPUT

  Necesito que me ayudes en una tarea de clasificación de texto.


EJEMPLO: Vienen un montón de cosas, como el cortahilos que me encanta , para empezar a bordar está muy bien. Los hilos no parecen de mala calidad, y hay muchos colores
RESPUESTA: positivo

EJEMPLO: La compré porque tenía la original que me quedaba grande. Ésta me queda perfecta y me encanta el color. Llevo con ella ya tiempo y sigue como el primer día.
RESPUESTA: positivo

EJEMPLO: Son los mismos colores, son botes pequeños perfectos para un mejor trazado. Al ser esmaltes de gel necesitarás una lámpara de luz UV/LED pero son perfectos para darles un toque de brillo a la manicura.
RESPUESTA: positivo

EJEMPLO: El color rojo va genial para las ojeras aguanta todo el día. Y el verde para tapar las rojeces me encantan
RESPUESTA: positivo

EJEMPLO: Es agradable y protege. Ya lo sabemos que la proteccion es así pero este año no me he quemado y tengo algo de color
RESPUESTA: positivo

EJEMPLO: Él color no se ajusta al de e la foto. Por lo demás todo perfecto.
RESPUESTA: neutro

EJEMPLO: es de mala calidad y no funciona bien
RESPUESTA: negativo

EJEMPLO: Es una monada. El tamaño y colores es el indicado, tiene luces y sonido ( imita a ebullición) los accesorios de un plástico muy aceptable . Son rígidos.
RESPUESTA: positivo

EJEMPLO: En general me a gustado aunque se equivocaron de color, lo encargué negro y me vino con estampado gris.
RESPUESTA: neutro

EJEMPLO: Queda muy chula en el coche lo unico que en las especificaciones pone color blanco,,y es de color plateado,no se nota mucho
RESPUESTA: neutro

EJEMPLO: El color es el que esperaba aunque la calidad y el remate es muy normalito
RESPUESTA:


MODEL OUTPUT

 color


PARSE RESULT

 ['']
[78]:
sns.heatmap(confusion_matrix(test_targets, pred_targets), annot=True, cmap="Blues")
[78]:
<Axes: >
../_images/notebooks_04_test_flant5_classification_prompts_68_1.png

Conclusiones#

  • Parece que con el modelo Flan-t5-small, el mejor resultado se obtiene añadiendo más ejemplot y quitando la instrucción del prompt

  • Parece que muchas veces los textos inyectados hacen que supere el tamaño del prompt. Sería bueno añadir algo que te permitiese controlar el número de textos máximos según el tamaño del prompt que admite el modelo seleccionado