prompt
stringlengths 45
13.4k
| response
stringlengths 0
2.99k
|
---|---|
Detailed Instructions: Given the sentence, generate "yes, and" response. "Yes, and" is a rule-of-thumb in improvisational comedy that suggests that a participant in a dialogue should accept what another participant has stated ("Yes") and then expand on that line of thought or context ("and..."). 1 In short, a "Yes, and" is a dialogue exchange in which a speaker responds by adding new information on top of the information/setting that was constructed by another speaker. Note that a "Yes, and" does not require someone explicitly saying 'yes, and...' as part of a dialogue exchange, although it could be the case if it agrees with the description above. There are many ways in which a response could implicitly/explicitly agree to the prompt without specifically saying 'yes, and...'.
Q: You're going to wind up just like that George Burman, losing his job just 'cause he said n-word.
A: | It's no big deal, we all say it from time to time. |
You are given a short text as a title. Your task is to generate a poem as output that is related to the given title and should feel like written by kids. The output should be a run-on sentence (two or more complete sentences connected without any punctuation). The poem should not be too long or too complex, because it should feel like it is written by younger person without high level of literature education.
Ex Input:
Super Baby
Ex Output:
super baby that can crawl faster then a roll ball super baby that can cry a move river super baby that can drink more milk then a baby cow super baby that can foll the most in 1 day super baby be also a cute baby to hold super baby also have the cut burp
Ex Input:
I am small
Ex Output:
people tell me i be small i have lot of friend that be tall there someone short than me i glad about that she's short that my best friend but she's sneaky like a rat i play lot of sport include netball but when i be defend i have to act tall hopefully oneday i'll grow and look down at my friend they'll be down low
Ex Input:
She is the one
Ex Output:
| she be the one with her eye so true and blue her eye be so blue it's almost like her eye be the deep blue sea the perfume she wear make me think i'm in heaven every minute i treasure it's like a buried treasure that ca n't be found she's like an exotic island that tell you to never return you pack your bag and go then i say i must return thata's when you know she really be the one
|
Part 1. Definition
In this task you will break down a question into the basic steps required to answer it.
A question decomposition is a numbered list of operations that must be performed to answer the original question. Imagine explaining your question to a friendly droid by listing each action it should take in order for the question to be answered. Each step in our decomposition should refer to either an entity (known or unknown), a propery of an entity or a query operation (count, group, union, etc.)
Here are the list of step templates and their description:
Select: A select step is used to return a set of objects. There are no references to previous steps in a select step. template: Return [attributes]
Filter: A filter step is used to return results from a previous step to which a certain condition applies. template: Return [#step] [condition]
Project: A project step should return certain attributes of the results of a previous step. template: Return [attributes] of [#step]
Aggregate: An aggregate step returns an aggregator function applied on a step's result. template: Return the [aggregator] of [#step].
Group: A group step is an aggregator applied on attributes. template: Return the [aggregator] of [#step] for each [attribute]
Superlative: A superlative step is used to return the result with a highest/lowest attribute among other results. template: Return [#step1] [where] [#step2] [is] [highest / lowest]
Comparative: A comparative step is used when we need to compare an attribute with a number to filter results. template: Return [#step1] [where] [#step2] [comparator] [number]
Union: A union step is used to return results of two steps together. template: Return [#step1] [or / ,] [#step2]
Intersection: An intersection step returns the result that two steps have in common. template: Return [attribute] of both [#step1] and [#step2]
Discard: A discard step returns result of a step and excludes result of another step from it. template: Return [#step1] besides [#step2]
Sort: A sort returns result of another step in a specific order. template: Return [#step1] [ordered / sorted by] [#step2]
Is true: An is true step checks a condition on another result and returns a true or false. template: Return [is / if] [condition]
Arithmetic: An arithmatic step operates an arithmatic operation on one or more steps. template: Return the [arithmetic op.] of [#step1] [and] [#step2].
Part 2. Example
question: What are the distinct creation years of the departments managed by a secretary born in state 'Alabama'?
Answer: #1 return secretaries
#2 return #1 born in state 'Alabama
#3 return departments managed by #2
#4 return distinct creation years of #3
Explanation: Referring to previous steps is vital in constructing multi-step decompositions. In this example each step refers to the step before to perform a single filter on it to reach the final result.
Part 3. Exercise
question: Which papers' first author is affiliated with an institution in the country "Japan" and has last name "Ohori"? Give me the titles of the papers.
Answer: | #1 return papers
#2 return first authors of #1
#3 return last names of #2
#4 return #1 where #3 is Ohori
#5 return institutions that #2 are affiliated with
#6 return countries of #5
#7 return #1 where #6 is Japan
#8 return #1 in both #4 and #7
#9 return the titles of #8 |
In this task, you are given an input list A. You need to extract and sort the unique digits used in the list in ascending order. Return -1 if there is no digit in the list.
['t', '295', '371', 'b', '137', '155', 'd', 'f'] | 1, 2, 3, 5, 7, 9 |
Part 1. Definition
In this task you are expected to write an SQL query that will return the data asked for in the question. An SQL query works by selecting data from a table where certain conditions apply. A table contains columns where every row in that table must have a value for each column. Every table has a primary key that uniquely identifies each row, usually an id. To choose which columns are returned you specify that after the "SELECT" statement. Next, you use a "FROM" statement to specify what tables you want to select the data from. When you specify a table you can rename it with the "AS" statement. You can reference that table by whatever name follows the "AS" statement. If you want to select data from multiple tables you need to use the "JOIN" statement. This will join the tables together by pairing a row in one table with every row in the other table (Cartesian Product). To limit the number of rows returned you should use the "ON" statement. This will only return rows where the condition specified after the statement is true, this is usually an equals operator with primary keys. You can also use the "WHERE" statement to specify that only rows with column values statisfying a certain condition, should be returned. The "GROUP BY" statement will group rows together that have equal column values for whatever columns follows the statement. The "HAVING" statement will return groups that statisfy whatever condition follows the statement. Any column(s) being returned from grouped rows must either be an aggregate function, (AVG, MAX, COUNT, SUM, ...) of a column, or the column(s) that the data was grouped by. To sort the returned data you can use the "ORDER BY" command which will order the data by whatever aggregate function or column follows the statement. The "DESC" statement will sort in descending order and the "ASC" statement will sort in ascending order. Finally, you can use the "LIMIT" statement to return a certain number of rows. When "*" is used in an SQL statement every column is returned. For example, SELECT * FROM table WHERE attribute = 1, will select every column from rows with the attribute column equal to 1.
Part 2. Example
Find the id and city of the student address with the highest average monthly rental.
Answer: SELECT T2.address_id , T1.city FROM Addresses AS T1 JOIN Student_Addresses AS T2 ON T1.address_id = T2.address_id GROUP BY T2.address_id ORDER BY AVG(monthly_rental) DESC LIMIT 1
Explanation: First we select the student's id and city of their address. Next, to find where each student lived we must join the "Addresses" table with the "Student_Addresses" table on rows with the same "address_id". Finally, we want to return the student address with the highest monthly rent. This is a good example.
Part 3. Exercise
For each injury accident, find the date of the game and the name of the injured player in the game, and sort the results in descending order of game season.
Answer: | SELECT T1.date , T2.player FROM game AS T1 JOIN injury_accident AS T2 ON T1.id = T2.game_id ORDER BY T1.season DESC |
You will be given a definition of a task first, then some input of the task.
In medical studies, the efficacy of medical treatments (called interventions) is evaluated within a group of study participants. You will be given a sentence of a study report in which your task is to list the phrases that describe the intervention(s) of the study. You should list the phrase in the same order that they appear in the text, separated by commas. If no information about the interventions is mentioned, just answer with "not found". Interventions are: a specific drug, surgery, talking therapy, a lifestyle modification, control or placebo treatment. Do not include details, dosages, frequency and duration, intervention mentions that are not in an informative span of text.
As calcium acquired during adolescence is essential to maximize peak bone mass and to prevent osteoporosis , possible long-term effects of excessive MRP intake during this period warrant attention .
Output: | not found |
TASK DEFINITION: In this task, we ask you to parse restaurant descriptions into a structured data table of key-value pairs. Here are the attributes (keys) and their examples values. You should preserve this order when creating the answer:
name: The Eagle,...
eatType: restaurant, coffee shop,...
food: French, Italian,...
priceRange: cheap, expensive,...
customerRating: 1 of 5 (low), 4 of 5 (high)
area: riverside, city center, ...
familyFriendly: Yes / No
near: Panda Express,...
The output table may contain all or only some of the attributes but must not contain unlisted attributes. For the output to be considered correct, it also must parse all of the attributes existant in the input sentence; in other words, incomplete parsing would be considered incorrect.
PROBLEM: Near Café Rouge is Midsummer House. It is a 5 star English food restaurant.
SOLUTION: name[Midsummer House], food[English], customer rating[5 out of 5], near[Café Rouge]
PROBLEM: The Bibimbap House, near Clare Hall in the city centre, is a moderately priced English food establishment.
SOLUTION: name[Bibimbap House], food[English], priceRange[moderate], area[city centre], near[Clare Hall]
PROBLEM: The Punter coffee shop is a family friendly with less than £20 price range serves Japanese food near Café Sicilia has a low customer rating.
SOLUTION: | name[The Punter], eatType[coffee shop], food[Japanese], priceRange[less than £20], customer rating[low], familyFriendly[yes], near[Café Sicilia]
|
Given the task definition and input, reply with output. Two analogies that relate objects to the associated rooms is given in the form "A : B. C : ?". "A : B" relates object A to room B. Your task is to replace the question mark (?) with the appropriate room for the given object C, following the "A : B" relation.
couch : parlor. shower : ?
| bathroom |
You are given a sentence in Arabic. Your job is to translate the Arabic sentence into Galician.
بعثت لي هذا و الذي كان هيستيريا.
Ela mandoume isto, que é graciosísimo.
صحيح ان اجسادهم لم تكن تنتقل.. ولكن افكارهم كانت كذلك..
Non os transportaban físicamente pero si que os transportaban mentalmente.
كنت في الحفل الذي حضره إحتفاء بذكرى ميلاده ومن أجل خلق موارد جديدة لمؤسسته.
| Estaba nun concerto ó que él asistía co motivo do seu aniversario e pra a xeración de novos recursos pra a súa fundación.
|
In this task you will be given a string of characters. You should remove all vowels from the given string. Vowels are: i,e,a,u,o. The character 'y' or 'Y' does not count as a vowel.
Ex Input:
iUAOGrpFI
Ex Output:
GrpF
Ex Input:
eYXuXYAFGA
Ex Output:
YXXYFG
Ex Input:
IBAIWvbDMAOzIuAdnUO
Ex Output:
| BWvbDMzdn
|
In this task, you are given a date in a particular format and you need to convert to another format. If given format is "dd/mm/yyyy" then convert to "mm/dd/yyyy". If given format is "mm/dd/yyyy" then convert to "dd/mm/yyyy".
Q: 04/03/1719, input_format=mm/dd/yyyy
A: | 03/04/1719 |
You will be given a definition of a task first, then some input of the task.
In this task you are given a list of numbers and you need to find the average of each two consecutive values. The average of two numbers a and b is calculated as: (a + b) /2. The output should be a list of the averages of each two consecutive values. A list is presented with two brackets and comma-separated values, like: [1,2,3].
[-51, -20, 30, -13, -93, 10, 74, -52, 94, 61, -8, -29, 46, -19, 40]
Output: | [-35.5, 5.0, 8.5, -53.0, -41.5, 42.0, 11.0, 21.0, 77.5, 26.5, -18.5, 8.5, 13.5, 10.5] |
1. Anywhere else but in this movie, Woody's quest would evidence a high level of dementia. "Nebraska" is far too precious to entertain that notion.
2. Dern gives a brave and unfaltering performance. But his crusty old coot is a very limited character.
3. Although Payne has never been a flashy director - he's one of the few modern filmmakers who regularly, publicly puts script and performance first - there are so many lovely, visual moments in this film, shot in wide-screen black-and-white.
4. Dern makes Woody as cantankerous as he is clueless, bobbing and weaving to avoid his inevitable mortality, but there's a purity about him that'll break your heart.
5. A beautiful, timeless American film whose story, characters and performances should be treasured. This is one of the year's best films and once again, Alexander Payne has given us a tender, poetic masterpiece.
6. The performances are what truly accentuate this narrative. Forte carries off every complex quirk, while seasoned actor Dern is uncharacteristically subdued.
7. More in line with About Schmidt than Sideways, Alexander Payne's latest is a warm and witty look at the relationship between fathers and sons...
8. Is Nebraska a comedy or a drama? Like life, it's both. Payne takes his time. Deal with it. This is a movie to bring home and live with, to kick around in your head after it hits you in the heart. It's damn near perfect, starting with the acting.
9. "Nebraska'' has enough good lines, scenes and performances to make it worth your while, as well as a sufficiently upbeat ending to qualify it as holiday entertainment.
10. With stunning black-and-white cinematography by Phedon Papamichael and a wistful fiddle score by Mark Orton, its contemplative pace feels just right.
Consensus: Elegant in its simplicity and poetic in its message, Nebraska adds another stirringly resonant chapter to Alexander Payne's remarkable filmography.
Q: 1. Herzog's glimpses of the future can be as otherworldly and singular as his perspective on the past.
2. A haunting, evocative work...the rare film about art that can be considered a serious work of art itself.
3. ...equally intrigued by the prehistoric painters of yesteryear and those who study their work today.
4. We will likely never be able to see this amazing place in person. Thanks to Herzog for giving us the next best thing.
5. Spectacular and absorbing,coinciding with the publication of Jean Auel's "The Land of Painted Caves."
6. They emerged with a film that is supposed to be an art documentary, but is really a kind of immersive fever dream and time machine.
7. Always the philosopher, Herzog is not content to simply document what is inside the cave. Rather, he uses the images as a launching point for a series of essentially unanswerable questions
8. We're lucky to have it.
9. [M]ay be the first absolutely essential 3D movie, one that you must see in 3D to appreciate its full potency...
10. Cave of Forgotten Dreams transcends all conventional applications of 3-D filming and projection to record the oldest show on earth.
Based on these individual reviews, what is the critic consensus?
A: Consensus: Hauntingly filmed and brimming with Herzog's infectious enthusiasm, Cave of Forgotten Dreams is a fascinating triumph.
1. A movie with imaginative elements but little imagination.
2. Imagine the Smurfs meeting Troll dolls in the world of The Dark Crystal...
3. They look like a cross between anime and Jim Henson puppets. Fortunately, they look nothing like Pixar, PDI, Sony Animation or any of the other talking animal companies.
4. Apparently Besson became so enamored of CG animation's possibilities that he forgot basic rules ... such as the one about animation thriving on clear-cut, distinctive characters whose personalities are established in the first few seconds they're on screen.
5. Whatever its flaws, Arthur and the Invisibles has a handmade, personal feel that finally affords it a cockeyed endearing quality.
6. Five pounds of poo in a one pound bag.
7. Besson ... even dresses up the main female character in the sort of action-babe getup assigned to Milla Jovovich in his own The Fifth Element.
8. The film touts its 'dazzling' hybrid of live action and 'groundbreaking' CGI, but the visuals can't compare to Happy Feet or any Pixar release.
9. The story is just incoherent, and the faster it moves, the more frantic it seems.
10. Luc Besson's half-baked live-action/animated fantasy looks like it was invented on the hoof: it's erratically plotted, poorly animated, overly derivative and too insufferably cute to interest anyone above undemanding toddler age.
Consensus: Arthur wastes its big-name voice talent on a predictable script and substandard CG animation.
Q: 1. (Director) Nichols creates the kind of quiet malevolence that Roman Polanski used to excel at.
2. There's a strong, unsettling sense of disease that runs through Take Shelter, the best drama of the year so far.
3. Shannon wonderfully modulates Nichols' portrait of a man whose mind and life seem to unravel before our eyes.
4. On rare occasions, a movie comes along that does genuine honor to Alfred Hitchcock. Take Shelter is such a movie. It could be subtitled "Take Shelter with Hitch."
5. Are his dreams a sign of things to come or are they simply the creation of an individual who is teetering on the brink of insanity?
6. In an era of empty entertainments, "Take Shelter" is built to last.
7. Take Shelter is a deeply unsettling movie.
8. Michael Shannon's spectacular performance grounds Take Shelter with a haunting realism.
9. Life is a double-edged sword. Be careful how you hold it.
10. Shannon is astounding, playing a good man pushed to the brink of sanity, maybe beyond. He portrays a sense of quiet desperation -- a feeling recognizable to many.
Based on these individual reviews, what is the critic consensus?
A: Consensus: Michael Shannon gives a powerhouse performance and the purposefully subtle filmmaking creates a perfect blend of drama, terror, and dread.
1. Streep rules! This doyenne of the designer dress turns fashion obsession into fun.
2. The Devil Wears Prada tells a familiar story, and it never goes much below the surface of what it has to tell. Still, what a surface!
3. (The cast) take their characters as far as possible in the film's opening act but are required to hit the same notes over and over in the limited, repetitive screenplay.
4. The storyline sets itself up for plenty of phony pay-offs, but thankfully doesn't deliver on them. It actually knows better.
5. The Devil Wears Prada is primarily an occasion to celebrate Meryl Streep as a grand comedienne.
6. A slick but flimsy knock-off, almost as superficial as the industry it pretends to dress down.
7. Streep's expert comic timing is also on display in The Devil Wears Prada an otherwise bland small-town-girl-in-the-big-city story that's enlivened by her performance as a domineering magazine editor.
8. The biggest problem with the movie, however, is that it tries to make a big deal out of a subject that has been beaten to death in the tabloids and the media.
9. For the life of me, I can't understand anyone not liking this movie!
10. Move over, Julia Roberts ---- here comes Anne Hathaway.
| Consensus: A rare film that surpasses the quality of its source novel, this Devil is a witty expose of New York's fashion scene, with Meryl Streep in top form and Anne Hathaway more than holding her own. |
Teacher: In this task, you have to generate the named entities (NER) given its ingredients of the recipe. Named entities are the names of the items without their quantity.
Teacher: Now, understand the problem? If you are still confused, see the following example:
1 3/4 cups all purpose flour, 1/4 cup finely ground blanched almonds, 1 teaspoon grated lemon zest, 1/2 cup confectioners sugar, 2 sticks unsalted butter, almost melted, 4 eggs, lightly beaten, 2 cups granulated sugar, 1/4 cup flour, 1/2 teaspoon baking powder, 2 teaspoons grated lemon zest, 1/3 cup fresh lemon juice, Candied violets for garnish, optional
Solution: flour, ground blanched almonds, lemon zest, confectioners sugar, butter, eggs, sugar, flour, baking powder, lemon zest, lemon juice, Candied violets
Reason: Given the required ingredients, the ner of the recipe is generated. As the ingredients contain the quantities, if we just remove quantities from ingredients, we get the ner.
Now, solve this instance: 1 1/2 lb. ground beef, 1 (15 oz.) can pizza sauce, 2 (12 oz.) tubes refrigerated buttermilk biscuits, 1 1/2 c. (6 oz.) shredded Mozzarella cheese, 1 c. (4 oz.) shredded Cheddar cheese
Student: | ground beef, pizza sauce, buttermilk, Mozzarella cheese, Cheddar cheese |
TASK DEFINITION: Write a fact related to the given fact, based on the given topic word. Note that, your fact should have at least one word in common with the given fact. All facts in this task refer to scientific facts. Your related fact must form a chain with the given fact. Chains form when two facts connect together to produce the third fact. An example of a chain is: "pesticides cause pollution" (given fact) + "pollution can harm animals" (related fact) → "pesticides can harm animals" (connected chain). Avoid creating simple paraphrases of the given fact. While your generated fact should be related to the input fact, they must describe slightly different scientific phenomena. It's okay if your related fact includes some irrelevant information, provided that it has some overlap with the given fact and it contains some words corresponding to the provided topic.
PROBLEM: Fact: Cuticle helps prevent water loss, abrasions, infections, and damage from toxins.
Topic: cuticle.
SOLUTION: Cuticles are our nail's protection.
PROBLEM: Fact: Aggression is behavior that is intended to cause harm or pain.
Topic: aggression behavior.
SOLUTION: Macaques are known for their aggressive behavior.
PROBLEM: Fact: Puberty is the period during which humans become sexually mature.
Topic: Puberty.
SOLUTION: | Breasts develop during puberty .
|
In this task, you are given an input list. A list contains several comma-separated items written within brackets. You need to return the position of all the alphabetical elements in the given list in order. Assume the position of the 1st element to be 1. Return -1 if no alphabetical element is in the list.
Q: ['A', '2847', 'a', '2291']
A: | 1, 3 |
Definition: In this task, we have Spanish and Catalan tweets for automatic stance detection. The data has three labels Against, Favor, and Neutral which express the stance towards the target -independence of Catalonia. If the tweet criticizes the independence of Catalonia then it's 'Against' and if the tweets support it then it will be labeled as 'Favor' also if the tweets state information or news rather than stating opinion then it will be characterized as 'Neutral'.
Input: Tweet: Feixisme policial a Terrassa: https://t.co/dVq3ZVMLBZ
Output: | Against |
In this task, you will be presented with a premise sentence and a hypothesis sentence in Persian. Determine whether the hypothesis sentence entails, contradicts, or is neutral with respect to the given premise sentence. Classify your answers into "Contradiction", "Neutral", or "Entailment".
Input: Consider Input: Premise: ج) خیانتِ لیندا تریپ. <sep> Hypothesis: رفتار ناامید کنندهی لیندا تریپ
Output: Entailment
Input: Consider Input: Premise: هنگامی که طغرل بر ولی نعمت خود عبدالرشید شورید، ابراهیم و برادرش فرخزاد در زندان برغند در بند بودند. <sep> Hypothesis: عبدالرشید، ولی نعمت طغرل بود
Output: Entailment
Input: Consider Input: Premise: با این وجود، براساس
بحث و گفت و گوها
با چند ایالت، برآورد می شود،
روند بررسی
برنامه ی کاربردی، حدودا 38 هفته
(9-10 ماه) طول بکشد. <sep> Hypothesis: روند بررسی برنامه ی کاربردی،
تنها با شرکت ها مورد بحث قرار گرفت.
| Output: Contradiction
|
Part 1. Definition
In this task you will break down a question into the basic steps required to answer it.
A question decomposition is a numbered list of operations that must be performed to answer the original question. Imagine explaining your question to a friendly droid by listing each action it should take in order for the question to be answered. Each step in our decomposition should refer to either an entity (known or unknown), a propery of an entity or a query operation (count, group, union, etc.)
Here are the list of step templates and their description:
Select: A select step is used to return a set of objects. There are no references to previous steps in a select step. template: Return [attributes]
Filter: A filter step is used to return results from a previous step to which a certain condition applies. template: Return [#step] [condition]
Project: A project step should return certain attributes of the results of a previous step. template: Return [attributes] of [#step]
Aggregate: An aggregate step returns an aggregator function applied on a step's result. template: Return the [aggregator] of [#step].
Group: A group step is an aggregator applied on attributes. template: Return the [aggregator] of [#step] for each [attribute]
Superlative: A superlative step is used to return the result with a highest/lowest attribute among other results. template: Return [#step1] [where] [#step2] [is] [highest / lowest]
Comparative: A comparative step is used when we need to compare an attribute with a number to filter results. template: Return [#step1] [where] [#step2] [comparator] [number]
Union: A union step is used to return results of two steps together. template: Return [#step1] [or / ,] [#step2]
Intersection: An intersection step returns the result that two steps have in common. template: Return [attribute] of both [#step1] and [#step2]
Discard: A discard step returns result of a step and excludes result of another step from it. template: Return [#step1] besides [#step2]
Sort: A sort returns result of another step in a specific order. template: Return [#step1] [ordered / sorted by] [#step2]
Is true: An is true step checks a condition on another result and returns a true or false. template: Return [is / if] [condition]
Arithmetic: An arithmatic step operates an arithmatic operation on one or more steps. template: Return the [arithmetic op.] of [#step1] [and] [#step2].
Part 2. Example
question: What are the distinct creation years of the departments managed by a secretary born in state 'Alabama'?
Answer: #1 return secretaries
#2 return #1 born in state 'Alabama
#3 return departments managed by #2
#4 return distinct creation years of #3
Explanation: Referring to previous steps is vital in constructing multi-step decompositions. In this example each step refers to the step before to perform a single filter on it to reach the final result.
Part 3. Exercise
question: If there are at least four recorders.
Answer: | #1 return recorders
#2 return number of #1
#3 return if #2 is at least four |
Given a negotiation between two participants, answer 'Yes' if both participants agree to the deal, otherwise answer 'No'.
--------
Question: THEM: can i have the two hats and the books? YOU: i need books and balls THEM: ok i will take the hats and you can have the rest YOU: deal.
Answer: No
Question: THEM: i need the ball and two books. YOU: i can give all books if i can have the ball and hat THEM: i need the ball. you can have the books. YOU: ok, ball for you, if i get the rest THEM: deal.
Answer: Yes
Question: THEM: ok i take books and you keep the rest, deal? YOU: no deal. i need the books as well. if i can have three books and the ball you can have one book and the hats THEM: not today buddy YOU: i need at least two books or no deal. THEM: yeah one book and one hat and one ball for you YOU: no deal. THEM: no deal YOU: no deal. THEM: no deal, ok how about two books and one ball for you YOU: okay deal.
Answer: | Yes
|
In this task you will be given a list of integers. A list contains numbers separated by a comma. You need to round every integer to the closest power of 2. A power of 2 is a number in the form '2^n', it is a number that is the result of multiplying by 2 n times. The following are all powers of 2, '2, 4, 8, 16, 32, 64, 128, 256, 512, 1024, 2048, 4096'. If an integer is exactly in equally far from two different powers of 2 then you should output the larger power of 2. The output should be a list of integers that is the result of rounding each integer int the input list to the closest power of 2. The output should include a '[' to denote the start of the output list and ']' to denote the end of the output list.
--------
Question: [37, 1905, 1831, 3568, 20, 61, 2, 224, 694, 1671, 3133]
Answer: [32, 2048, 2048, 4096, 16, 64, 2, 256, 512, 2048, 4096]
Question: [18, 1627, 2624, 4375, 21]
Answer: [16, 2048, 2048, 4096, 16]
Question: [64, 1863, 2352, 4037, 17, 67, 3, 91, 1681, 631, 4093, 7]
Answer: | [64, 2048, 2048, 4096, 16, 64, 4, 64, 2048, 512, 4096, 8]
|
You will be given a definition of a task first, then some input of the task.
In this task, you will be given a sentence or two along with a change aspect. You should change the given text in the given aspect. Aspects are explained below:
Tense: Change the tense of the verbs in the text. If they're in past tense, change them to present, and if they're in present tense, change them to past tense.
Number: Change the number of the nouns in the given text. Make plurals into singles and single into plurals. Remember to change the corresponding pronouns accordingly.
Voice: If the verbs are in active voice, change them to be passive, otherwise, change them to be in active voice.
Adverb: add one or multiple adverbs to the text.
Gender: If the text contains female names and pronouns, substitute them with male names and pronouns. Do the same for sentences with mala names and pronouns.
sentence: Billy cried because Toby wouldn't accept his toy . aspect: Gender
Output: | Jane cried because Lucy wouldn't accept her toy . |
Detailed Instructions: Indicate if the following Polish tweet contains cyber-bullying content with 'Yes'; otherwise, respond with 'No'.
Q: Tweet: Mam wrażenie że mojemu tacie sprawia radość to że mnie denerwuje like dude mam po Tobie charakter więc Przestań. To. Robić. :') , Question: Does the tweet contain cyberbullying (harmful) content?
A: | No |
Part 1. Definition
In this task you are given a list of numbers and you need to find the average of each two consecutive values. The average of two numbers a and b is calculated as: (a + b) /2. The output should be a list of the averages of each two consecutive values. A list is presented with two brackets and comma-separated values, like: [1,2,3].
Part 2. Example
[-4, 7, 3]
Answer: [1.5, 5]
Explanation: To create the answer, we should first calculate the average of -4 and 7, that is: (-4 + 7 ) / 2 = 1.5, so the first element of the answer is 1.5. Then, we need to calculate the average of 7 and 3, that is: 5. So the second element of the answer is 5.
Part 3. Exercise
[-48, -96, -14, 69, -76, 24, 78, 72, -41, -93, -56, -95, -94, 42]
Answer: | [-72.0, -55.0, 27.5, -3.5, -26.0, 51.0, 75.0, 15.5, -67.0, -74.5, -75.5, -94.5, -26.0] |
Given the task definition and input, reply with output. In this task, you are given a hateful post in Bengali that expresses hate or encourages violence towards a person or a group based on the protected characteristics such as race, religion, sex, and sexual orientation. You are expected to classify the post into two classes: religious or non-political religious on the topic.
আমাদের বাংলা দেশে যদি কেহই মূর্তি দেবার চেষ্টা করে এটাকে উপড়ে ফেলতে হবে আমাদের আমাদের
| religious |
In this task you will be given a list of numbers and you need to find the mean (average) of that list. The mean of a list can be found by summing every number in the list then dividing the result by the size of that list. The output should be rounded to 3 decimal places.
Ex Input:
[-93.372, 58.665, 230.024, 208.635]
Ex Output:
100.988
Ex Input:
[41.081, 166.314, -14.556, -84.648, -8.286]
Ex Output:
19.981
Ex Input:
[-25.603, 134.053]
Ex Output:
| 54.225
|
Teacher: In this task you will be given two lists of numbers and you need to calculate the intersection between these two lists. The intersection between two lists is another list where every element is common between the two original lists. If there are no elements in the intersection, answer with an empty list. Your list of numbers must be inside brackets. Sort the numbers in your answer in an ascending order, that is, no matter what the order of the numbers in the lists is, you should put them in your answer in an ascending order.
Teacher: Now, understand the problem? If you are still confused, see the following example:
[2,5,1,4],[2,5,8,4,2,0]
Solution: [2,4,5]
Reason: The elements 2,4, and 5 are in both lists. This is a good example.
Now, solve this instance: [1, 4, 5, 6, 5, 7, 6, 10] , [8, 8, 7, 8, 2, 8, 5, 4]
Student: | [4, 5, 7] |
Teacher: Given an adjective, generate its antonym. An antonym of a word is a word opposite in meaning to it.
Teacher: Now, understand the problem? If you are still confused, see the following example:
able
Solution: unable
Reason: The output is correct as able and unable are opposities of each other in meaning.
Now, solve this instance: branded
Student: | unbranded |
Teacher: Given a prompt and two completions from a language model, select the completion that is the most fluent with respect to continuing the prompt. Fluency is defined by coherency and ease of understanding, not necessarily grammatical correctness. Generate either Completion A or Completion B.
Teacher: Now, understand the problem? If you are still confused, see the following example:
Prompt: Im 99 percent sure it was someone being an
Completion A: accomplice , or maybe just plain old con man . whatever it was , it 's over . "
Completion B: asshole, your right?) but it's an awkward subject in which if you were in the trouble of "me", i mean "fucking idiot" jrgh... i dunno...I guess you are (in a legal context) not a stupid
Solution: Completion A
Reason: This prompt-completion pair is more fluent because it is more easy to follow and is a realistic statement.
Now, solve this instance: Prompt: i was gonna initially do the 4th but now
Completion A: I was like that I have to try this one first. So that's what I've been trying to do for the past couple days. So I
Completion B: it looks like he has to move on."I'm going to take that guy away from me. I don't know what to d
Student: | Completion A |
Q: Turn the given fact into a question by a simple rearrangement of words. This typically involves replacing some part of the given fact with a WH word. For example, replacing the subject of the provided fact with the word "what" can form a valid question. Don't be creative! You just need to rearrange the words to turn the fact into a question - easy! Don't just randomly remove a word from the given fact to form a question. Remember that your question must evaluate scientific understanding. Pick a word or a phrase in the given fact to be the correct answer, then make the rest of the question. You can also form a question without any WH words. For example, "A radio converts electricity into?"
Fact: roosters have relatively large brains and a high level of intelligence.
A: | What have relatively large brains and a high level of intelligence? |
In this task, you will use your knowledge about language (and common sense) to determine what element the marked number refers to. The numbers are marked with two underlines around them, like: _ number _. There are several possible answers, you'll need to choose the proper one. Carefully read the given text, pay special attention to the marked number, think about what (unwritten) information the marked number holds inside, choose the most adequate word(s) from the optional answers. If none of them seems right to you, there's also an option for other. If your answer is "REFERENCE", also write the reference entity, otherwise write the implicit option name. Options to choose from are:
REFERENCE: Some object which is being mentioned in the text before or after the target number. The reference answer has a higher priority than any other. If both Reference and another answer are possible, prioritize the Reference.
YEAR: Describing a calendric year
AGE: Describing someone's age
CURRENCY: Reference to some monetary value e.g dollar, euro etc.
PEOPLE: Describing a single/plural persons
TIME: Describing a time of the day. Usually you can add the word o'clock after those numbers.
OTHER: Some other option, which isn't listed here.
Richard Castle: Mother , prepare to feast on the finest omelette in the land . ... Before you ... join the convent .
Martha Rodgers: I am making the costumes for my Shakespeare class . So ... what do you think ?
Richard Castle: I seem to recall asking you to make me an E.T. Halloween costume and you told me you did n't know how to sew .
Martha Rodgers: Details ! Besides , you were _ 32 _ at the time ... | AGE |
Given the task definition, example input & output, solve the new input case.
You are given a password and you need to generate the number of steps required to convert the given password to a strong password. A password is considered strong if (a) it has at least 6 characters and at most 20 characters; (b) it contains at least one lowercase letter and one uppercase letter, and at least one digit; (c) it does not contain three repeating characters in a row. In one step you can: (1) Insert one character to password, (2) delete one character from password, or (3) replace one character of password with another character.
Example: password = a
Output: 5
Using 5 steps, it can become a strong password
New input case for you: password = T
Output: | 5 |
We would like you to assess the QUALITY of each of the following argument (discussing Gay Marriage) and determine if the argument is Valid or Invalid. A valid argument is clearly interpretable and either expresses an argument, or a premise or a conclusion that can be used in an argument for the topic of gay marriage. An invalid argument is a phrase that cannot be interpreted as an argument or not on the topic of gay marriage.
[Q]: Yes, but gays would also want laws changed to accomodate THEIR form of marriage as well.
[A]: Valid
[Q]: You want to be treated as a normal,respect the fundamental people and fundamental laws of this land.Support ban on homo marriages.
[A]: Valid
[Q]: If one has sex with 100 people with protection, they are at a lower risk than someone who sleeps with one person and no protection.
[A]: | Invalid
|
The input contains texts obtained from news articles, ted talks, movie transcripts, radio transcripts, science and technology texts, and other short articles curated from the web and professional translators. Your task is to translate the given Yoruba sentence into the English language. Please bear in mind the following guidelines while doing the translation: 1) Generated output should be natural language and formal form of each sentence in your language. The output sentence should not be a colloquial form of the input sentence. The generated output should be in natural language which is how you would type your queries in a text-based virtual assistant. 2) The words between quotation marks *SHOULD NOT* be translated. We expect you to keep those values intact and include the quotation marks around them as well. 3) Numbers and fully capitalized words like SEPTEMBER, or 10 HOURS *SHOULD NOT* be translated. Please keep them as they are in the translations. 4) Please do not localize measurement units like miles to kilometers during your translation. 5) Note the input is in sentence case except for special placeholders. Please do the same in your translations.
[Q]: Adarí ilé-isẹ́ ológun lórílẹ̀ èdè Nàíjíríà, Lt.-Gen.Tukur Buratai ti rọ àwọn ikọ̀ ọmọ -ogun Operation Lafiya Dole (OPLD) tí wọ́n ń kó lọ sí Madagali ní ìpínlẹ̀ Adamawa láti máa fún àwọn ikọ̀ ọlọ̀tẹ̀ ní ìsinmi rárá.
[A]: The Chief of Army Staff, Lt.-Gen. Tukur Buratai, has charged troops of Operation Lafiya Dole (OPLD) deployed at Madagali in Adamawa not to give terrorists any breathing space.
[Q]: Ẹ̀ẹ̀kan ṣoṣo lọmọ ń sín tí à ń ní “à-sín-gbó, à-sín-tọ́.”
[A]: It is when a child sneezes only once that one wishes the child “sneeze and grow old, sneeze and live long.”
[Q]: Ìgbìyànjú láti dá ààbò bo ìwífún kí ó ba máà bọ́ s'ọ́wọ́ ẹlòmíràn ní gbogbo ìgbà kò fi bẹ́ẹ̀ rọrùn.
[A]: | Trying to protect all your data from everyone all the time is impractical and exhausting.
|
Given the task definition and input, reply with output. Given a statement about date and time, state whether the statement is true or false. The number of date/time operands in the statement ranges between 2 and 3. Let's say the values are denoted by t1, t2 and t3. The statements follow one of the following ten templates: 't1 occurs before t2, t1 doesn't occur before t2, t1 occurs after t2, t1 doesn't occur after t2, t1 occurs between t2 and t3, t1 doesn't occur between t2 and t3, t1 occured before t2 but after t3, t1 occured after t2 but before t3, t1 didn't occur before t2 but after t3, t1 didn't occur after t2 but before t3'. The output should be either 'True' or 'False'.
19 July 2021 doesn't occur between 03 Oct 2004 and 24 Dec 2018
| True |
Definition: Given a part of privacy policy text, identify the type of personal information which is collected, used, tracked or retained. The type of information should be present inside the given policy text, answer as 'Not Specified' otherwise
Input: The site collects your financial information for an additional (non-basic) service or feature. Collection happens when you explicitly provide information in an unspecified way.
Output: | Financial |
TASK DEFINITION: Given a part of privacy policy text, identify the purpose for which the user information is collected/used. The purpose should be given inside the policy text, answer as 'Not Specified' otherwise
PROBLEM: You can make a choice about your privacy not described by our label scheme the use of unspecified information by an unspecified party for a basic service or feature.
SOLUTION: Basic service/feature
PROBLEM: The site does not collect your unspecified information for a purpose outside of our label scheme. Collection happens when you explicitly provide information by some means outside of our label scheme.
SOLUTION: Other
PROBLEM: A user with an account can use privacy configuration settings (in the website or app) to control the use of unspecified information by the site, which uses it for marketing purposes.
SOLUTION: | Marketing
|
Detailed Instructions: Given a sequence of actions to navigate an agent in its environment, provide the correct command in a limited form of natural language that matches the sequence of actions when executed. Commands are lowercase and encapsulate the logic of the sequence of actions. Actions are individual steps that serve as the building blocks for a command. There are only six actions: 'I_LOOK', 'I_WALK', 'I_RUN', 'I_JUMP', 'I_TURN_LEFT', and 'I_TURN_RIGHT'. These actions respectively align with the commands 'look', 'walk', 'run', 'jump', 'turn left', and 'turn right'. For commands, 'left' and 'right' are used to denote the direction of an action. opposite turns the agent backward in the specified direction. The word 'around' makes the agent execute an action while turning around in the specified direction. The word 'and' means to execute the next scope of the command following the previous scope of the command. The word 'after' signifies to execute the previous scope of the command following the next scope of the command. The words 'twice' and 'thrice' trigger repetition of a command that they scope over two times or three times, respectively. Actions and commands do not have quotations in the input and output.
Problem:I_TURN_LEFT I_WALK I_TURN_LEFT I_WALK I_TURN_LEFT I_WALK I_TURN_LEFT I_WALK I_TURN_LEFT I_WALK I_TURN_LEFT I_WALK I_TURN_LEFT I_WALK I_TURN_LEFT I_WALK I_TURN_LEFT I_WALK I_TURN_LEFT I_WALK I_TURN_LEFT I_WALK I_TURN_LEFT I_WALK I_TURN_LEFT I_JUMP
Solution: | jump left after walk around left thrice |
You are given a short text as a title. Your task is to generate a poem as output that is related to the given title and should feel like written by kids. The output should be a run-on sentence (two or more complete sentences connected without any punctuation). The poem should not be too long or too complex, because it should feel like it is written by younger person without high level of literature education.
T.H.A.N.K.S.G.I.V.I.N.G. | to people who save u have you ever thank them a thanksgiving be a good time to celebrate never let of the people you love know that you will never let them go show that you will serve like them give be a thanks to the poor i know they will come home to you veteran save u food and shelter i give you my trust they will come home soon now i will not stop now give people your trust |
You will be given two sentences. One of them is created by paraphrasing the original one, with changes on an aspect, or using synonyms. Your task is to decide what is the difference between two sentences. Types of change are explained below:
Tense: The verbs in the sentence are changed in tense.
Number: Plural nouns, verbs and pronouns are changed into single ones or the other way around.
Voice: If the verbs are in active voice, they're changed to passive or the other way around.
Adverb: The paraphrase has one adverb or more than the original sentence.
Gender: The paraphrase differs from the original sentence in the gender of the names and pronouns.
Synonym: Some words or phrases of the original sentence are replaced with synonym words or phrases. Changes in the names of people are also considered a synonym change. Classify your answers into Tense, Number, Voice, Adverb, Gender, and Synonym.
Let me give you an example: original sentence: Lily spoke to Donna , breaking her silence . paraphrase: Lily is speaking to Donna , breaking her silence .
The answer to this example can be: Tense
Here is why: The verbs in this example are changed from past tense to present tense.
OK. solve this:
original sentence: I couldn't put the pot on the shelf because it was too high . paraphrase: The pot couldn't be put on the shelf by me because it was too high .
Answer: | Voice |
You will be given a definition of a task first, then an example. Follow the example to solve a new instance of the task.
In this task you will be given a list of integers. You should remove any integer that is not prime. A prime integer is an integer that is only divisible by '1' and itself. The output should be the list of prime numbers in the input list. If there are no primes in the input list an empty list ("[]") should be returned.
[47, 444, 859, 530, 197, 409]
Solution: [47, 859, 197, 409]
Why? The integers '444' and '530' are not prime integers and they were removed from the list.
New input: [375, 934, 153, 82, 545, 859, 107, 415, 577, 313, 574, 373, 137, 594]
Solution: | [859, 107, 577, 313, 373, 137] |
Instructions: The given sentence contains a typo which could be one of the following four types: (1) swapped letters of a word e.g. 'niec' is a typo of the word 'nice'. (2) missing letter in a word e.g. 'nic' is a typo of the word 'nice'. (3) extra letter in a word e.g. 'nicce' is a typo of the word 'nice'. (4) replaced letter in a word e.g 'nicr' is a typo of the word 'nice'. You need to identify the typo in the given sentence. To do this, answer with the word containing the typo.
Input: A nman in a tie holding a can drink.
Output: | nman |
Given the task definition, example input & output, solve the new input case.
In this task, you are given commands (in terms of logical operations) to select relevant rows from the given table. Your job is to classify the command into one of these seven categories: (1) majority, (2) unique, (3) superlative, (4) count, (5) comparative, (6) aggregation, and (7) ordinal.
Here are the defications of each category:
1. majority: Describing the majority values (most or all) over one column, with the scope of all table rows or a subset of rows
2. unique: Describing one unique row, regarding one column, with the scope of all table rows or a subset of rows
3. Superlative: Describing the maximum or minimum value in a column, with the scope of all table rows or a subset of rows
4. Ordinal: Describing the n-th maximum or minimum value in a column, with the scope of all table rows or a subset of rows
5. Comparative: Comparing two rows in the table, regarding their values in one column
6. Count: counting some rows in the table based on the values in one column, with the scope of all table rows or a subset of rows
7. Aggregation: Describing the sum or average value over a column, with the scope of all table rows or a subset of rows.
Here are the definitions of logical operators for understanding of command:
1. count: returns the number of rows in the view.
2. only: returns whether there is exactly one row in the view.
3. hop: returns the value under the header column of the row.
4. and: returns the boolean operation result of two arguments.
5. max/min/avg/sum: returns the max/min/average/sum of the values under the header column.
6. nth_max/nth_min: returns the n-th max/n-th min of the values under the header column.
7. argmax/argmin: returns the row with the max/min value in header column.
8. nth_argmax/nth_argmin: returns the row with the n-th max/min value in header column.
9. eq/not_eq: returns if the two arguments are equal.
10. round_eq: returns if the two arguments are roughly equal under certain tolerance.
11. greater/less: returns if the first argument is greater/less than the second argument.
12. diff: returns the difference between two arguments.
13. filter_eq/ filter_not_eq: returns the subview whose values under the header column is equal/not equal to the third argument.
14. filter_greater/filter_less: returns the subview whose values under the header column is greater/less than the third argument.
15. filter_greater_eq /filter_less_eq: returns the subview whose values under the header column is greater/less or equal than the third argument.
16. filter_all: returns the view itself for the case of describing the whole table
17. all_eq/not_eq: returns whether all the values under the header column are equal/not equal to the third argument.
18. all_greater/less: returns whether all the values under the header column are greater/less than the third argument.
19. all_greater_eq/less_eq: returns whether all the values under the header column are greater/less or equal to the third argument.
20. most_eq/not_eq: returns whether most of the values under the header column are equal/not equal to the third argument.
21. most_greater/less: returns whether most of the values under the header column are greater/less than the third argument.
22. most_greater_eq/less_eq: returns whether most of the values under the header column are greater/less or equal to the third argument.
Example: round_eq { sum { all_rows ; casinos } ; 217 }
Output: aggregation
In this example sum returns the sum of the values in all of the casinos rows. Hence, aggregation is right category.
New input case for you: eq { count { filter_eq { all_rows ; high assists ; mo williams } } ; 2 }
Output: | count |
Definition: In this task you will be given a string of characters. You should remove all vowels from the given string. Vowels are: i,e,a,u,o. The character 'y' or 'Y' does not count as a vowel.
Input: OC
Output: | C |
You will be given a definition of a task first, then some input of the task.
A ploynomial equation is a sum of terms. Here each term is either a constant number, or consists of the variable x raised to a certain power and multiplied by a number. These numbers are called weights. For example, in the polynomial: 2x^2+3x+4, the weights are: 2,3,4. You can present a polynomial with the list of its weights, for example, equation weights = [6, 4] represent the equation 6x + 4 and equation weights = [1, 3, 4] represent the equation 1x^2 + 3x + 4. In this task, you need to compute the result of a polynomial expression by substituing a given value of x in the given polynomial equation. Equation weights are given as a list.
x = 2, equation weights = [2, 6, 7]
Output: | 27 |
Detailed Instructions: In this task, we have Spanish and Catalan tweets for automatic stance detection. The data has three labels Against, Favor, and Neutral which express the stance towards the target -independence of Catalonia. If the tweet criticizes the independence of Catalonia then it's 'Against' and if the tweets support it then it will be labeled as 'Favor' also if the tweets state information or news rather than stating opinion then it will be characterized as 'Neutral'.
Q: Tweet: Endevineu quin dels següents edificis és l'únic que ha estat atacat violentament pels vaguistes d'avui, i penseu a quins interessos respòn aquest fet. Si no ho enteneu ni així, jo ja no sé...
A: | Against |
Given the task definition and input, reply with output. Turn the given fact into a question by a simple rearrangement of words. This typically involves replacing some part of the given fact with a WH word. For example, replacing the subject of the provided fact with the word "what" can form a valid question. Don't be creative! You just need to rearrange the words to turn the fact into a question - easy! Don't just randomly remove a word from the given fact to form a question. Remember that your question must evaluate scientific understanding. Pick a word or a phrase in the given fact to be the correct answer, then make the rest of the question. You can also form a question without any WH words. For example, "A radio converts electricity into?"
Fact: Seconds measure a dimension of the physical universe.
| What attribute ot the physical universe do seconds measure? |
The input contains texts obtained from news articles, ted talks, movie transcripts, radio transcripts, science and technology texts, and other short articles curated from the web and professional translators. Your task is to translate the given Yoruba sentence into the English language. Please bear in mind the following guidelines while doing the translation: 1) Generated output should be natural language and formal form of each sentence in your language. The output sentence should not be a colloquial form of the input sentence. The generated output should be in natural language which is how you would type your queries in a text-based virtual assistant. 2) The words between quotation marks *SHOULD NOT* be translated. We expect you to keep those values intact and include the quotation marks around them as well. 3) Numbers and fully capitalized words like SEPTEMBER, or 10 HOURS *SHOULD NOT* be translated. Please keep them as they are in the translations. 4) Please do not localize measurement units like miles to kilometers during your translation. 5) Note the input is in sentence case except for special placeholders. Please do the same in your translations.
[EX Q]: Bó tiẹ̀ jẹ́ pé àjálù yìí ti fa ọ̀pọ̀lọpọ̀ ìṣòro, Baba wa ọ̀run, Jèhófà, ṣì ‘ni odi ààbò wa ní àkókò wàhálà.
[EX A]: Despite the challenges brought on by this disaster, our heavenly Father, Jehovah, continues to be a “fortress in the time of distress.”
[EX Q]: (Àìsáyà 40:8) Èèyàn á rí àwọn Bíbélì tó ṣọ̀wọ́n, tó lé lọ́gọ́rùn-ún (100) àtàwọn ohun ìṣẹ̀ǹbáyé míì tó jẹ mọ́ Bíbélì.
[EX A]: (Isaiah 40:8) Over 100 rare Biblical scrolls, leaves, manuscripts, and books are showcased.
[EX Q]: Mi ò fẹ́ fun yín lára, ṣùgbọ́n bẹ́ẹ̀ ni.
[EX A]: | I don't want to alarm you, but it is.
|
In this task, you will be given a list of numbers. The goal is to divide all the numbers in the list by a constant such that the sum of the resulting list is 1. The output should be rounded to 3 decimals.
One example is below.
Q: [1, 2, 3]
A: [0.167, 0.333, 0.500]
Rationale: The output list sums to 1.0 and has the same weight as the input 0.333 is twice as large as 0.167, .5 is 3 times as large as 0.167, and 0.5 is 1.5 times as large as 0.333. This is a good example.
Q: [176.219, 63.491, -54.545, 78.808, -64.59, -30.172, 176.554, 124.599, -61.991]
A: | [ 0.432 0.155 -0.134 0.193 -0.158 -0.074 0.432 0.305 -0.152] |
You will be given a definition of a task first, then some input of the task.
In this task, you will be shown an English sentence. You need to classify the sentence as either a representation of an anaphor number agreement or as an incorrect representation. An anaphor is an expression whose interpretation depends upon another expression. Anaphor number agreement is a restriction where a phrase agrees with the preceeding expression: plurals match plurals or singular expressions match singular expressions. In this task a valid representation of anaphor number agreement should be denoted as 'good' while everything else should be denoted as 'bad'. A correct representation of an anaphor number agreement will be a grammatically correct instance of a sentence where the subject and self-referencing nouns match plurality. An incorrect representation is a sentence in which the subject and self-referencing noun's plurality do not match.
A lot of teachers escape from themselves.
Output: | good |
Generate a 5-star review (1 being lowest and 5 being highest) about an app with package org.torproject.android.
The answer to this question is: | Nice to have a browser that dosent stalk me and sell my info for pennies |
The input is taken from a negotiation between two participants who take the role of campsite neighbors and negotiate for Food, Water, and Firewood packages, based on their individual preferences and requirements. Given an utterance and recent dialogue context containing past 3 utterances (wherever available), output Yes if the utterance contains the self-need strategy, otherwise output No. self-need is a selfish negotiation strategy. It is used to create a personal need for an item in the negotiation, such as by pointing out that the participant sweats a lot to show preference towards water packages.
One example: Context: 'That sounds pretty reasonable as I am in need of firewood the most. Would it be most reasonable to each take what we need most and split the water down the middle?' 'Yes, it would.' 'I think that sounds fair. The problem is that there are 3 waters and one of us would get two and the other one. How should we sort that?'
Utterance: 'You can take the two water. I am not that thirsty most days.'
Solution is here: No
Explanation: In this utterance, the participant does not use self-need since they do not talk about any need for themselves.
Now, solve this: Context: 'Hey! For the camping trip it would be awesome if I could have 3 packages of food. My friend is gluten and dairy free and we need as many options as possible for her. ' 'Aww I'm sorry to hear that, it sounds like it might be better to have her bring her own food. I'll be bringing my teenage son so it would be awesome to get any extra food for him that I can. You know how they be! 🙂' 'What about I take 2 of the packages and you take 1? I know teenagers also drink a lot of water haha 🙂'
Utterance: 'He definitely does drink a lot of water, but he's in a growth spurt so 2 would be ideal. I'm happy to give up all firewood in exchange for the extra food!'
Solution: | Yes |
You will be given a definition of a task first, then some input of the task.
Given a sequence of actions to navigate an agent in its environment, provide the correct command in a limited form of natural language that matches the sequence of actions when executed. Commands are lowercase and encapsulate the logic of the sequence of actions. Actions are individual steps that serve as the building blocks for a command. There are only six actions: 'I_LOOK', 'I_WALK', 'I_RUN', 'I_JUMP', 'I_TURN_LEFT', and 'I_TURN_RIGHT'. These actions respectively align with the commands 'look', 'walk', 'run', 'jump', 'turn left', and 'turn right'. For commands, 'left' and 'right' are used to denote the direction of an action. opposite turns the agent backward in the specified direction. The word 'around' makes the agent execute an action while turning around in the specified direction. The word 'and' means to execute the next scope of the command following the previous scope of the command. The word 'after' signifies to execute the previous scope of the command following the next scope of the command. The words 'twice' and 'thrice' trigger repetition of a command that they scope over two times or three times, respectively. Actions and commands do not have quotations in the input and output.
I_TURN_LEFT I_TURN_LEFT I_RUN I_TURN_RIGHT I_JUMP I_TURN_RIGHT I_JUMP I_TURN_RIGHT I_JUMP I_TURN_RIGHT I_JUMP I_TURN_RIGHT I_JUMP I_TURN_RIGHT I_JUMP I_TURN_RIGHT I_JUMP I_TURN_RIGHT I_JUMP I_TURN_RIGHT I_JUMP I_TURN_RIGHT I_JUMP I_TURN_RIGHT I_JUMP I_TURN_RIGHT I_JUMP
Output: | jump around right thrice after run opposite left |
Detailed Instructions: In this task, we have Spanish and Catalan tweets for automatic stance detection. The data has three labels Against, Favor, and Neutral which express the stance towards the target -independence of Catalonia. If the tweet criticizes the independence of Catalonia then it's 'Against' and if the tweets support it then it will be labeled as 'Favor' also if the tweets state information or news rather than stating opinion then it will be characterized as 'Neutral'.
Problem:Tweet: @pilarcarracelas Poseu captures, plis, que ens té blocats a quasi tots.
Solution: | Against |
Detailed Instructions: In this task you are given a list of numbers and you need to find the average of each two consecutive values. The average of two numbers a and b is calculated as: (a + b) /2. The output should be a list of the averages of each two consecutive values. A list is presented with two brackets and comma-separated values, like: [1,2,3].
See one example below:
Problem: [-4, 7, 3]
Solution: [1.5, 5]
Explanation: To create the answer, we should first calculate the average of -4 and 7, that is: (-4 + 7 ) / 2 = 1.5, so the first element of the answer is 1.5. Then, we need to calculate the average of 7 and 3, that is: 5. So the second element of the answer is 5.
Problem: [27, -36, -9, -25, 91, 13, -22, 2, 7, 85, 100]
Solution: | [-4.5, -22.5, -17.0, 33.0, 52.0, -4.5, -10.0, 4.5, 46.0, 92.5] |
Given news headlines and an edited word. The original sentence has word within given format {word}. Create new headlines by replacing {word} in the original sentence with edit word. Classify news headlines into "Funny" and "Not Funny" that have been modified by humans using an edit word to make them funny.
News Headline: Undocumented Woman Arrested While Seeking Protective {Order} Faces 10 Years In Prison
Edit: bra
Funny
News Headline: Air Force leaders dodge {questions} on Trump 's ' Space Force '
Edit: pies
Funny
News Headline: Selloff rocks Italy , central bank raises {alarm} over political crisis
Edit: Voice
| Funny
|
Instructions: You are given a sentence in Arabic. Your job is to translate the Arabic sentence into Galician.
Input: فها انت منتظراً فتاتك.
Output: | E estamos agardando pola nosa moza. |
In this task you will be given two lists of numbers and you need to calculate the intersection between these two lists. The intersection between two lists is another list where every element is common between the two original lists. If there are no elements in the intersection, answer with an empty list. Your list of numbers must be inside brackets. Sort the numbers in your answer in an ascending order, that is, no matter what the order of the numbers in the lists is, you should put them in your answer in an ascending order.
Let me give you an example: [2,5,1,4],[2,5,8,4,2,0]
The answer to this example can be: [2,4,5]
Here is why: The elements 2,4, and 5 are in both lists. This is a good example.
OK. solve this:
[8, 1, 6, 1, 7] , [10, 4, 4, 10, 10]
Answer: | [] |
Definition: We would like you to assess the QUALITY of each of the following argument (discussing Gay Marriage) and determine if the argument is Valid or Invalid. A valid argument is clearly interpretable and either expresses an argument, or a premise or a conclusion that can be used in an argument for the topic of gay marriage. An invalid argument is a phrase that cannot be interpreted as an argument or not on the topic of gay marriage.
Input: No more tax credit for married couples- the law would not need to recognize wither one is married or not.
Output: | Valid |
Teacher:In this task you will be given a list of integers. A list contains numbers separated by a comma. You need to round every integer to the closest power of 2. A power of 2 is a number in the form '2^n', it is a number that is the result of multiplying by 2 n times. The following are all powers of 2, '2, 4, 8, 16, 32, 64, 128, 256, 512, 1024, 2048, 4096'. If an integer is exactly in equally far from two different powers of 2 then you should output the larger power of 2. The output should be a list of integers that is the result of rounding each integer int the input list to the closest power of 2. The output should include a '[' to denote the start of the output list and ']' to denote the end of the output list.
Teacher: Now, understand the problem? Solve this instance: [96, 1882, 3173, 1953, 11, 69, 4, 15, 1369, 1222, 3623]
Student: | [128, 2048, 4096, 2048, 8, 64, 4, 16, 1024, 1024, 4096] |
Detailed Instructions: In this task, you are given a country name and you need to return the region of the world map that the country is located in. The possible regions that are considered valid answers are: Caribbean, Southern Europe, Eastern Europe, Western Europe, South America, North America, Central America, Antarctica, Australia and New Zealand, Central Africa, Northern Africa, Eastern Africa, Western Africa, Southern Africa, Eastern Asia, Southern and Central Asia, Southeast Asia, Middle East, Melanesia, Polynesia, British Isles, Micronesia, Nordic Countries, Baltic Countries.
Q: Cambodia
A: | Southeast Asia |
In this task you will be given a string and you should find the longest substring that is a palindrome. A palindrome is a string that is the same backwards as it is forwards. If the shortest possible palindrome is length 1 you should return the first character.
Example Input: mwwummwuwuww
Example Output: wuwuw
Example Input: pkckcpckkkckkpk
Example Output: kcpck
Example Input: wwtwttwggww
Example Output: | wttw
|
Teacher: In this task, you are given commands (in terms of logical operations) and natural interpretation of the given command to select relevant rows from the given table. Your job is to generate a label "yes" if the interpretation is appropriate for the command, otherwise generate label "no".
Here are the definitions of logical operators:
1. count: returns the number of rows in the view.
2. only: returns whether there is exactly one row in the view.
3. hop: returns the value under the header column of the row.
4. and: returns the boolean operation result of two arguments.
5. max/min/avg/sum: returns the max/min/average/sum of the values under the header column.
6. nth_max/nth_min: returns the n-th max/n-th min of the values under the header column.
7. argmax/argmin: returns the row with the max/min value in header column.
8. nth_argmax/nth_argmin: returns the row with the n-th max/min value in header column.
9. eq/not_eq: returns if the two arguments are equal.
10. round_eq: returns if the two arguments are roughly equal under certain tolerance.
11. greater/less: returns if the first argument is greater/less than the second argument.
12. diff: returns the difference between two arguments.
13. filter_eq/ filter_not_eq: returns the subview whose values under the header column is equal/not equal to the third argument.
14. filter_greater/filter_less: returns the subview whose values under the header column is greater/less than the third argument.
15. filter_greater_eq /filter_less_eq: returns the subview whose values under the header column is greater/less or equal than the third argument.
16. filter_all: returns the view itself for the case of describing the whole table
17. all_eq/not_eq: returns whether all the values under the header column are equal/not equal to the third argument.
18. all_greater/less: returns whether all the values under the header column are greater/less than the third argument.
19. all_greater_eq/less_eq: returns whether all the values under the header column are greater/less or equal to the third argument.
20. most_eq/not_eq: returns whether most of the values under the header column are equal/not equal to the third argument.
21. most_greater/less: returns whether most of the values under the header column are greater/less than the third argument.
22. most_greater_eq/less_eq: returns whether most of the values under the header column are greater/less or equal to the third argument.
Teacher: Now, understand the problem? If you are still confused, see the following example:
Command: eq { hop { nth_argmax { all_rows ; attendance ; 3 } ; competition } ; danish superliga 2005 - 06 }, interpretation: select the row whose attendance record of all rows is 3rd maximum. the competition record of this row is danish superliga 2005-06.
Solution: yes
Reason: Here, the command and interpretion given for the command is correct that 3rd maximum should be selected from given table rows. Hence, the label is 'yes'.
Now, solve this instance: Command: eq { count { filter_eq { all_rows ; w / l ; win } } ; 9 }, interpretation: select the rows whose w / l record fuzzily matches to win . the number of such rows is 9 .
Student: | yes |
We would like you to assess the QUALITY of each of the following argument (discussing Gun Control) and determine if the argument is Valid or Invalid. A valid argument is clearly interpretable and either expresses an argument, or a premise or a conclusion that can be used in an argument for the topic of gun control. An invalid argument is a phrase that cannot be interpreted as an argument or not on the topic of gun control.
Let me give you an example: If gun bans worked there would be no gun deaths in the countries that have banned guns.
The answer to this example can be: Valid
Here is why: It is an argument that claims that gun bans will not work.
OK. solve this:
I for one do NOT consider them a Constitutional enterprise and if they were stupid enough to think that the AFT would protect them instead of selling them out that is the same as admission for criminal intent.
Answer: | Valid |
Teacher:You are asked to create a question containing a blank (_), based on the given context word. Your question must contain two related but different objects; for example "trophy" and "suitcase". The expected answer to your question must be one of the objects present in the sentence. The expected answer must not be associated with any specific word in the question; instead it should depend on the context present in the question. The expected answer should not be equally likely to fill the blank. For your question, there should be a agreed upon answer to fill in the blank. Your generations should NOT contain potentially explicit, offensive, or adult content. Do not use animals or proper nouns (e.g., New York, Macbook, Jeff Bezos, McDonald's, ...) as your objects. Avoid repeating the same style, pattern or phrases in each question, try to increase diversity by varying sentence structure, blank placement etc. Your question must contain at least 15 and at most 30 words. You must utilize the given context word while writing the question. Your question must contain only one blank. Make sure that Object X and Y have the same number e.g. when ObjectX is singular, Object Y must be singular, too. The two objects (Object X & Object Y) should be used ONCE in your question. Here is a list of attributes and associated pair of contrastive words which may be used to create a valid question using the objects. You can use either of the contrastive words, but not both. You should think about more such attributes and associated words and use them in your question.
| Attribute | triggerword | contrastive triggerword |
| age | old | new |
| altitude | low | high |
| area | small | vast |
| brightness | dark | light |
| clarity | obscure | clear |
| cleanness | dirty | clean |
| complexity | simple | complex |
| cost | cheap | expensive |
| density | sparse | dense |
| depth | shallow | deep |
| distance | near | far |
| electric conductivity | low | high |
| flexibility | rigid | flexible |
| granularity | fine | coarse |
| hardness | soft | hard |
| length | short | long |
| magnitude | small | large |
| mass | small | large |
| odor | weak | strong |
| pressure | low | high |
| resistance | low | high |
| shape | round | sharp |
| shape | flat | spiky |
| size | small | large |
| sound | quiet | loud |
| sound pitch | low | high |
| speed | slow | fast |
| stability | unstable | stable |
| strength | weak | strong |
| temperature | low | high |
| texture | smooth | rough |
| thermal conductivity | low | high |
| thickness | thin | thick |
| volume | small | large |
| weight | light | heavy |
| width | narrow | wide |
| location | in | out |
| location | up | down |
| location | above | below |
| location | on | off |
| location | to | from |
Teacher: Now, understand the problem? Solve this instance: Context Word: eyeshadow.
Student: | Jenna got out her primer and glitter eyeshadow, because she knew that she would need to apply the _ first. |
Read the given sentence and if it is a general advice then indicate via "yes". Otherwise indicate via "no". advice is basically offering suggestions about the best course of action to someone. advice can come in a variety of forms, for example Direct advice and Indirect advice. (1) Direct advice: Using words (e.g., suggest, advice, recommend), verbs (e.g., can, could, should, may), or using questions (e.g., why don't you's, how about, have you thought about). (2) Indirect advice: contains hints from personal experiences with the intention for someone to do the same thing or statements that imply an action should (or should not) be taken.
[Q]: Flag football ?
[A]: no
[Q]: Although money is important you already got your car .
[A]: no
[Q]: It 's pretty easy to figure out what places allow tattoos and which do n't .
[A]: | no
|
Given the task definition, example input & output, solve the new input case.
In this task, you will be shown a sentence, and you should determine whether it is overruling or non-overruling. In law, an overruling sentence is a statement that nullifies a previous case decision as a precedent by a constitutionally valid statute or a decision by the same or higher ranking court which establishes a different rule on the point of law involved. Classify your answers into overruling or non-overruling
Example: 876 f.3d at 1306.
Output: non-overruling
It's a good example. This sentence doesn't overrule any law, So it's non-overruling.
New input case for you: overall, treating the motion as an amendment to defendants' new matter did not limit robinson's ability to present this case because common pleas afforded him the opportunity to amend his complaint and the district court had already thoroughly evaluated the merits of this case.
Output: | non-overruling |
Detailed Instructions: Given a sequence of actions to navigate an agent in its environment, provide the correct command in a limited form of natural language that matches the sequence of actions when executed. Commands are lowercase and encapsulate the logic of the sequence of actions. Actions are individual steps that serve as the building blocks for a command. There are only six actions: 'I_LOOK', 'I_WALK', 'I_RUN', 'I_JUMP', 'I_TURN_LEFT', and 'I_TURN_RIGHT'. These actions respectively align with the commands 'look', 'walk', 'run', 'jump', 'turn left', and 'turn right'. For commands, 'left' and 'right' are used to denote the direction of an action. opposite turns the agent backward in the specified direction. The word 'around' makes the agent execute an action while turning around in the specified direction. The word 'and' means to execute the next scope of the command following the previous scope of the command. The word 'after' signifies to execute the previous scope of the command following the next scope of the command. The words 'twice' and 'thrice' trigger repetition of a command that they scope over two times or three times, respectively. Actions and commands do not have quotations in the input and output.
Problem:I_TURN_LEFT I_RUN I_TURN_LEFT I_RUN I_TURN_LEFT I_RUN I_TURN_RIGHT I_JUMP I_TURN_RIGHT I_JUMP I_TURN_RIGHT I_JUMP I_TURN_RIGHT I_JUMP I_TURN_RIGHT I_JUMP I_TURN_RIGHT I_JUMP I_TURN_RIGHT I_JUMP I_TURN_RIGHT I_JUMP I_TURN_RIGHT I_JUMP I_TURN_RIGHT I_JUMP I_TURN_RIGHT I_JUMP I_TURN_RIGHT I_JUMP
Solution: | run left thrice and jump around right thrice |
Detailed Instructions: Given a negotiation between two participants, answer 'Yes' if both participants agree to the deal, otherwise answer 'No'.
Problem:THEM: take all books and i keep the rest YOU: i would at least need the ball to go with the books THEM: yeah i can't do that YOU: ok, then how about i get all the books and 1 hat THEM: ok deal.
Solution: | Yes |
Instructions: Adverse drug reactions are appreciably harmful or unpleasant reactions resulting from an intervention related to the use of medical products, which predicts hazard from future administration and warrants prevention or specific treatment, or alteration of the dosage regimen, or withdrawal of the product. Given medical case reports extracted from MEDLINE, the task is to classify whether the case report mentions the presence of any adverse drug reaction. Classify your answers into non-adverse drug event and adverse drug event.
Input: CONCLUSIONS: JHR should be an anticipated reaction to early doses of antibiotic treatment for treponemal diseases, such as syphilis.
Output: | non-adverse drug event |
Given two entities as input, classify as "yes" if second entity is the part of the first entity. Otherwise classify them as "no". These are entities of meronym In linguistics, meronymy is a semantic relation between a meronym denoting a part and a holonym denoting a whole. In simpler terms, a meronym (i.e., second entity) is in a part-of relationship with its holonym (i.e., first entity).
[EX Q]: Entity 1: composite material
Entity 2: glass
[EX A]: yes
[EX Q]: Entity 1: battery
Entity 2: fluid fill sac
[EX A]: no
[EX Q]: Entity 1: physiology
Entity 2: calcium carbonate
[EX A]: | no
|
Detailed Instructions: In this task, you will use your knowledge about language (and common sense) to determine what element the marked number refers to. The numbers are marked with two underlines around them, like: _ number _. There are several possible answers, you'll need to choose the proper one. Carefully read the given text, pay special attention to the marked number, think about what (unwritten) information the marked number holds inside, choose the most adequate word(s) from the optional answers. If none of them seems right to you, there's also an option for other. If your answer is "REFERENCE", also write the reference entity, otherwise write the implicit option name. Options to choose from are:
REFERENCE: Some object which is being mentioned in the text before or after the target number. The reference answer has a higher priority than any other. If both Reference and another answer are possible, prioritize the Reference.
YEAR: Describing a calendric year
AGE: Describing someone's age
CURRENCY: Reference to some monetary value e.g dollar, euro etc.
PEOPLE: Describing a single/plural persons
TIME: Describing a time of the day. Usually you can add the word o'clock after those numbers.
OTHER: Some other option, which isn't listed here.
Problem:Caroline Channing: If we threw a big enough party , charge hipster 's for horse rides , we can pay off your student loan .
Max Black: You would whore out Chestnut like that ; do n't you have to get him hooked on heroin first ?
Caroline Channing: I got this ; I am a brilliant event planner . My sweet _ 16 _ was off the chain . Penthouse parties , finger black theme , Alanis Morissette singed songs from " Jagged Little Pill "
Max Black: On my 16th birthday , my Mom took too many jagged little pills , and I had to drive her to the emergency room to get her stomach pumped .
Caroline Channing: Was your childhood based on the novel " Pushed , by Sapphire " ?
Max Black: I Wish !
Solution: | OTHER |
In medical studies, the efficacy of medical treatments (called interventions) is evaluated within a group of study participants. You will be given a sentence of a study report in which your task is to list the phrases that describe the intervention(s) of the study. You should list the phrase in the same order that they appear in the text, separated by commas. If no information about the interventions is mentioned, just answer with "not found". Interventions are: a specific drug, surgery, talking therapy, a lifestyle modification, control or placebo treatment. Do not include details, dosages, frequency and duration, intervention mentions that are not in an informative span of text.
[EX Q]: Treatment failures ( including relapses ) occurred at each visit in 5.8 % , 12.7 % and 10.7 % of amoxicillin recipients and 6.2 % , 11.9 % and 11.3 % of penicillin V recipients , respectively .
[EX A]: amoxicillin, penicillin V
[EX Q]: This 7-week program included a computer game , small group sessions , parent training sessions and teacher handouts .
[EX A]: computer game, small group sessions, parent training, teacher handouts
[EX Q]: Ramipril prevents or delays the progression of albuminuria .
[EX A]: | not found
|
Teacher:In this task, you need to output 'Yes' if the given number is a prime number otherwise output 'No'. A 'prime number' is a a whole number above 1 that can not be made by multiplying other whole numbers.
Teacher: Now, understand the problem? Solve this instance: 1991
Student: | No |
Instructions: Read the given text and if it has abusive content then indicate via "yes". Otherwise indicate via"no".
We consider the content to be abusive if it contains any of the following instances: (1) Identity Directed Abuse (e.g., Content which contains a negative statement made against an identity. An identity is a social category that relates to a fundamental aspect of individuals community, socio-demographics, position or self-representation) (2) Affiliation Directed Abuse (e.g., Content which express negativity against an affiliation. We define affiliation as a (more or less) voluntary association with a collective. Affiliations include but are not limited to: memberships (e.g. Trade unions), party memberships (e.g. Republicans), political affiliations (e.g. Right-wing people) and occupations (e.g. Doctors).) (3) Person Directed Abuse (e.g., Content which directs negativity against an identifiable person, who is either part of the conversation thread or is named. Person-directed abuse includes serious character based attacks, such as accusing the person of lying, as well as aggression, insults and menacing language.) and (4) Counter Speech (e.g., Content which challenges, condemns or calls out the abusive language of others.). Note that URLs in the text have been replaced with [Link].
Input: all other haircuts look worse interestingly enough. his signature trump style haircut is optimized to the highest degree.
Output: | no |
Given the sentence, generate "yes, and" response. "Yes, and" is a rule-of-thumb in improvisational comedy that suggests that a participant in a dialogue should accept what another participant has stated ("Yes") and then expand on that line of thought or context ("and..."). 1 In short, a "Yes, and" is a dialogue exchange in which a speaker responds by adding new information on top of the information/setting that was constructed by another speaker. Note that a "Yes, and" does not require someone explicitly saying 'yes, and...' as part of a dialogue exchange, although it could be the case if it agrees with the description above. There are many ways in which a response could implicitly/explicitly agree to the prompt without specifically saying 'yes, and...'.
I know you're down to the one arm, and I appreciate you waving me over to your table to wish you a happy birthday. | He had to put down his beer to wave you over, so that's a big commitment. |
In this task you will be given a list of dictionaries. A dictionary is a set of key-value pairs, where each key is unique and has a value associated with that key. You should sort the list of dictionaries from smallest to largest by their 'first' key. If there is two dictionaries with the same 'first' value then sort them by their 'second' key. Negative numbers should come before positive numbers.
[{'first': 39, 'second': 32}, {'first': -39, 'second': 52}, {'first': -12, 'second': 96}, {'first': 59, 'second': -10}, {'first': 12, 'second': 89}, {'first': -45, 'second': 81}] | [{'first': -45, 'second': 81}, {'first': -39, 'second': 52}, {'first': -12, 'second': 96}, {'first': 12, 'second': 89}, {'first': 39, 'second': 32}, {'first': 59, 'second': -10}] |
The given sentence contains a typo which could be one of the following four types: (1) swapped letters of a word e.g. 'niec' is a typo of the word 'nice'. (2) missing letter in a word e.g. 'nic' is a typo of the word 'nice'. (3) extra letter in a word e.g. 'nicce' is a typo of the word 'nice'. (4) replaced letter in a word e.g 'nicr' is a typo of the word 'nice'. You need to identify the typo in the given sentence. To do this, answer with the word containing the typo.
An elephant walking in the middle of a field while a woman sits in a jrep | jrep |
Instructions: Read the given sentence and if it is a general advice then indicate via "yes". Otherwise indicate via "no". advice is basically offering suggestions about the best course of action to someone. advice can come in a variety of forms, for example Direct advice and Indirect advice. (1) Direct advice: Using words (e.g., suggest, advice, recommend), verbs (e.g., can, could, should, may), or using questions (e.g., why don't you's, how about, have you thought about). (2) Indirect advice: contains hints from personal experiences with the intention for someone to do the same thing or statements that imply an action should (or should not) be taken.
Input: I 've been on lexapro - it made me horny , but atleast this explains the syphilis
Output: | no |
Given the task definition and input, reply with output. Given two entities as input, classify as "yes" if second entity is the part of the first entity. Otherwise classify them as "no". These are entities of meronym In linguistics, meronymy is a semantic relation between a meronym denoting a part and a holonym denoting a whole. In simpler terms, a meronym (i.e., second entity) is in a part-of relationship with its holonym (i.e., first entity).
Entity 1: cell wall
Entity 2: comb - front tooth
| no |
You will be given a definition of a task first, then an example. Follow the example to solve a new instance of the task.
In this task, you are given commands (in terms of logical operations) and natural interpretation of the given command to select relevant rows from the given table. Your job is to generate a label "yes" if the interpretation is appropriate for the command, otherwise generate label "no".
Here are the definitions of logical operators:
1. count: returns the number of rows in the view.
2. only: returns whether there is exactly one row in the view.
3. hop: returns the value under the header column of the row.
4. and: returns the boolean operation result of two arguments.
5. max/min/avg/sum: returns the max/min/average/sum of the values under the header column.
6. nth_max/nth_min: returns the n-th max/n-th min of the values under the header column.
7. argmax/argmin: returns the row with the max/min value in header column.
8. nth_argmax/nth_argmin: returns the row with the n-th max/min value in header column.
9. eq/not_eq: returns if the two arguments are equal.
10. round_eq: returns if the two arguments are roughly equal under certain tolerance.
11. greater/less: returns if the first argument is greater/less than the second argument.
12. diff: returns the difference between two arguments.
13. filter_eq/ filter_not_eq: returns the subview whose values under the header column is equal/not equal to the third argument.
14. filter_greater/filter_less: returns the subview whose values under the header column is greater/less than the third argument.
15. filter_greater_eq /filter_less_eq: returns the subview whose values under the header column is greater/less or equal than the third argument.
16. filter_all: returns the view itself for the case of describing the whole table
17. all_eq/not_eq: returns whether all the values under the header column are equal/not equal to the third argument.
18. all_greater/less: returns whether all the values under the header column are greater/less than the third argument.
19. all_greater_eq/less_eq: returns whether all the values under the header column are greater/less or equal to the third argument.
20. most_eq/not_eq: returns whether most of the values under the header column are equal/not equal to the third argument.
21. most_greater/less: returns whether most of the values under the header column are greater/less than the third argument.
22. most_greater_eq/less_eq: returns whether most of the values under the header column are greater/less or equal to the third argument.
Command: eq { hop { nth_argmax { all_rows ; attendance ; 3 } ; competition } ; danish superliga 2005 - 06 }, interpretation: select the row whose attendance record of all rows is 3rd maximum. the competition record of this row is danish superliga 2005-06.
Solution: yes
Why? Here, the command and interpretion given for the command is correct that 3rd maximum should be selected from given table rows. Hence, the label is 'yes'.
New input: Command: eq { count { filter_eq { all_rows ; result ; re - elected } } ; 6 }, interpretation: select the rows whose result record fuzzily matches to re - elected . the number of such rows is 6 .
Solution: | yes |
Given two entities as input, classify as "yes" if second entity is the part of the first entity. Otherwise classify them as "no". These are entities of meronym In linguistics, meronymy is a semantic relation between a meronym denoting a part and a holonym denoting a whole. In simpler terms, a meronym (i.e., second entity) is in a part-of relationship with its holonym (i.e., first entity).
--------
Question: Entity 1: stem
Entity 2: dendrite
Answer: no
Question: Entity 1: charcoal
Entity 2: carbon monoxide gas
Answer: yes
Question: Entity 1: skin
Entity 2: calcium
Answer: | no
|
Detailed Instructions: In this task, you will use your knowledge about language (and common sense) to determine what element the marked number refers to. The numbers are marked with two underlines around them, like: _ number _. There are several possible answers, you'll need to choose the proper one. Carefully read the given text, pay special attention to the marked number, think about what (unwritten) information the marked number holds inside, choose the most adequate word(s) from the optional answers. If none of them seems right to you, there's also an option for other. If your answer is "REFERENCE", also write the reference entity, otherwise write the implicit option name. Options to choose from are:
REFERENCE: Some object which is being mentioned in the text before or after the target number. The reference answer has a higher priority than any other. If both Reference and another answer are possible, prioritize the Reference.
YEAR: Describing a calendric year
AGE: Describing someone's age
CURRENCY: Reference to some monetary value e.g dollar, euro etc.
PEOPLE: Describing a single/plural persons
TIME: Describing a time of the day. Usually you can add the word o'clock after those numbers.
OTHER: Some other option, which isn't listed here.
Problem:Lady Elizabeth: Why are men so desperate to hang onto their youth . It 's a futile quest .
Eleanor Grey: Futility lies in questing after a woman 's heart they can never own .
Lady Elizabeth: Or the heart of _ one _ who no longer exists .
Solution: | REFERENCE woman |
Teacher:Given a part of privacy policy text, identify the purpose for which the user information is collected/used. The purpose should be given inside the policy text, answer as 'Not Specified' otherwise
Teacher: Now, understand the problem? Solve this instance: You can opt out (by contacting the company) from the use of health information by a third party, which collects or receives it for an unspecified purpose.
Student: | Unspecified |
Turn the given fact into a question by a simple rearrangement of words. This typically involves replacing some part of the given fact with a WH word. For example, replacing the subject of the provided fact with the word "what" can form a valid question. Don't be creative! You just need to rearrange the words to turn the fact into a question - easy! Don't just randomly remove a word from the given fact to form a question. Remember that your question must evaluate scientific understanding. Pick a word or a phrase in the given fact to be the correct answer, then make the rest of the question. You can also form a question without any WH words. For example, "A radio converts electricity into?"
Q: Fact: Easily shed fibers are found only in mammals.
A: asily shed fibers are found only in what?
****
Q: Fact: Predators use sharp recurved nails to catch prey.
A: Predators use what to catch prey?
****
Q: Fact: Mountains are formed by moving plates.
A: | What is caused by moving plates?
****
|
Part 1. Definition
Indicate if the following Polish tweet contains cyber-bullying content with 'Yes'; otherwise, respond with 'No'.
Part 2. Example
Tweet: @anonymized_account @anonymized_account @anonymized_account Gdzie jest @anonymized_account . Brudziński jesteś kłamcą i marnym kutasem @anonymized_account, Question: Does the tweet contain cyberbullying (harmful) content?
Answer: Yes
Explanation: The tweet contains Bullying content
Part 3. Exercise
Tweet: @anonymized_account Dobry argument żeby zamknąć mordy. Biedronka płaci większe podatki niż gigant PGNiG , Question: Does the tweet contain cyberbullying (harmful) content?
Answer: | No |
Given the task definition and input, reply with output. In medical studies, the efficacy of medical treatments (called interventions) is evaluated within a group of study participants. You will be given a sentence of a study report in which your task is to list the phrases that describe the intervention(s) of the study. You should list the phrase in the same order that they appear in the text, separated by commas. If no information about the interventions is mentioned, just answer with "not found". Interventions are: a specific drug, surgery, talking therapy, a lifestyle modification, control or placebo treatment. Do not include details, dosages, frequency and duration, intervention mentions that are not in an informative span of text.
One of the reasons physiotherapy services are provided to emergency departments ( EDs ) and emergency extended care units ( EECUs ) is to review patients ' mobility to ensure they are safe to be discharged home .
| not found |
Q: Two analogies that relate objects to the associated rooms is given in the form "A : B. C : ?". "A : B" relates object A to room B. Your task is to replace the question mark (?) with the appropriate room for the given object C, following the "A : B" relation.
cupboard : kitchen. desk : ?
A: | office |
Detailed Instructions: In this task you will be given a list of integers. You should remove all of the integers that are divisible by 3 from the list. If every integer in the input list is divisible by 3 then an empty list should be returned. Zero is divisible by 3.
Problem:[5, 97]
Solution: | [5, 97] |
TASK DEFINITION: In this task, you will be presented with a premise sentence and a hypothesis sentence in Persian. Determine whether the hypothesis sentence entails, contradicts, or is neutral with respect to the given premise sentence. Classify your answers into "Contradiction", "Neutral", or "Entailment".
PROBLEM: Premise: امروزه در شهرهای بزرگ با جایگزین شدن انرژی گاز و برق به ندرت از سماورهای نفتی استفاده میشود. <sep> Hypothesis: سماورهای نفتی صفای خاصی داشتند ولی باید خطرات را هم در نظر گرفت.
SOLUTION: Neutral
PROBLEM: Premise: همیشه با شرط بندی در رشد ، گسترش و قدرت گردش پول مثبت، لاس وگاس دوباره خود را متحول کرده و به مراتب بیشتر از تنها توقفگاهی برای آب برای مکتشفان تشنه ظاهر شده است. <sep> Hypothesis: وگاس مدام در حال دگرگونی است.
SOLUTION: Entailment
PROBLEM: Premise: از خودتان پذیرایی کنید و هزینهی آن را برای سی بفرستید. <sep> Hypothesis: خرج اضافی نتراشید، سی مجبور است هزینه آن را بپردازد.
SOLUTION: | Contradiction
|
Detailed Instructions: The provided text is in English, and we ask you to translate the text to the Croatian language. Please bear in mind the following guidelines while translating: 1) We want a natural translation, a formal form. 2) Use the symbols like '#@%$-+_=^&!*' as-is. *Include* the special characters as suited when translating to Croatian. 3) Quantities like millions or billions should be translated to their equivalent in Croatian language 4) Note the input is all case-sensitive except for special placeholders and output is expected to be case-sensitive. 5) The output must have Croatian characters like Ž or č and the output must preserve the Croatian language characters. 6) The input contains punctuations and output is expected to have relevant punctuations for grammatical accuracy.
Problem:I want my son to have a choice to contribute fully in the workforce or at home, and I want my daughter to have the choice to not just succeed, but to be liked for her accomplishments.
Solution: | Želim da moj sin ima izbor da potpuno pridonosi na poslu ili kod kuće, i želim da moja kćer ima izbor ne samo premašiti, već i biti voljena zbog svojih postignuća. |
TASK DEFINITION: Adverse drug reactions are appreciably harmful or unpleasant reactions resulting from an intervention related to the use of medical products, which predicts hazard from future administration and warrants prevention or specific treatment, or alteration of the dosage regimen, or withdrawal of the product. Given medical case reports extracted from MEDLINE, the task is to classify whether the case report mentions the presence of any adverse drug reaction. Classify your answers into non-adverse drug event and adverse drug event.
PROBLEM: The reported cases of in utero exposure to cyclosposphamide shared the following manifestations with our patient: growth deficiency, developmental delay, craniosynostosis, blepharophimosis, flat nasal bridge, abnormal ears, and distal limb defects including hypoplastic thumbs and oligodactyly.
SOLUTION: adverse drug event
PROBLEM: RESULTS: Withdrawal of oral colchicine therapy was followed by rapid corneal wound healing in both patients.
SOLUTION: non-adverse drug event
PROBLEM: Scapular upward rotation is predominantly achieved via a force coupling involving the upper and lower trapezius and the serratus anterior.
SOLUTION: | non-adverse drug event
|
You are given a short text as a title. Your task is to generate a poem as output that is related to the given title and should feel like written by kids. The output should be a run-on sentence (two or more complete sentences connected without any punctuation). The poem should not be too long or too complex, because it should feel like it is written by younger person without high level of literature education.
Ex Input:
The conundrum of love
Ex Output:
life so sweet time so short how can i show affection of a sort how can one describe their passion be it something natural or just modern fashion from first kiss to last my love for you be eternal to the past the love we share be simple at first glance ever since we meet i now seize every chance to a distant star between nothing and infinity stay within the boundary of serenity with me let the flame remain un-extinguished and soar permit me to love you kiss you cherish you forever more confusion impurifies my soul tear me at the seam when i know i should exist only with the prince of my dream the conundrum of a sociology the paradox of philosophy be really quite a simple solution discover easily for if your love be moral pure and true then i infer that i be always to be with you the love that escalate everyday can no longer be contain but be difficult to be express in any way if my beloved be hurt i feel double his pain if it be by my hand or heart hysteria have illed my brain for to do such an idiotic and hideous action make my own metacognition murky right down to every junction but with every tender and passionate kiss we share it show how much you care for i feel like a clod an oaf an inferior be to try to deny the love the passion burn and all seeing into the wee hour of the morn' my body be waste but my heart be reborn love me forever more and until i shed this form of the living to a dimension where i shall lie still from the sweet taste of your lip the fragrance of your hair nothing in this world could ever compare for if your heart chill ache or throb the tear i shed for my beloved be whale sob my heart ache and forcefully preserve the torture of parting this swill the balance create and enmity darker to be present with emotional and physical pleasure may suffice and feel more enthralling twice however where i do stand if i be travel with a faulty compass to the extent of where shall our heart meet on this road of glass my deep desire be to kiss you goodnight and whisper in your ear i love you with no more reverence or plight to serenade you in bilingual romance be to ricochet to the star in a cosmic dance angel above envy me for you my good fortune for it be impossible to find such another entity of your punctuality and conception with lip so sweet and skin too tender it's no wonder my heart do surrender to you your name might be brian independence's teacher but you to me be my perfect sole prince when the storm retreat and the sun begin to shine i be remind how lucky i be that you're mine space be the final frontier into the heaven through the sky but it's obvious those astronomer never saw your beautiful brown eye how fate must despise u how he must obsess every time we be happy with a gentle caress but despite such adversity by and by through and through my heart body mind and soul shall always belong to you
Ex Input:
The Boy with a Toy
Ex Output:
i meet a boy with a toy the boy dreamed of be tall and play ball but instead the boy with a toy only get a toy
Ex Input:
Turkey
Ex Output:
| turkey be great turkey be good turkey dose not last as long a it should
|
Definition: In this task, you will use your knowledge about language (and common sense) to determine what element the marked number refers to. The numbers are marked with two underlines around them, like: _ number _. There are several possible answers, you'll need to choose the proper one. Carefully read the given text, pay special attention to the marked number, think about what (unwritten) information the marked number holds inside, choose the most adequate word(s) from the optional answers. If none of them seems right to you, there's also an option for other. If your answer is "REFERENCE", also write the reference entity, otherwise write the implicit option name. Options to choose from are:
REFERENCE: Some object which is being mentioned in the text before or after the target number. The reference answer has a higher priority than any other. If both Reference and another answer are possible, prioritize the Reference.
YEAR: Describing a calendric year
AGE: Describing someone's age
CURRENCY: Reference to some monetary value e.g dollar, euro etc.
PEOPLE: Describing a single/plural persons
TIME: Describing a time of the day. Usually you can add the word o'clock after those numbers.
OTHER: Some other option, which isn't listed here.
Input: Dr. Spencer Reid: The pattern in the branding mark has design characteristics similar to family crests from the late middle ages . I found this encyclopedia of heraldry and look .
Aaron Hotchner: It 's the seal of William Stoughton , a magistrate .
Dr. Spencer Reid: Check when and where he 's a magistrate .
David Rossi: Salem , Massachusetts , _ 1692 _ .
Dr. Spencer Reid: Stoughton was the lead prosecutor in the Salem witch trials .
Aaron Hotchner: So this UnSub believes he 's hunting witches .
Output: | YEAR |
You are given a sentence in Arabic. Your job is to translate the Arabic sentence into Galician.
Input: Consider Input: لا ؟ نعم ؟ لا يهم ، لقد نجحت.
Output: Non? Si? Tanto ten, funcionou.
Input: Consider Input: النساء في القوى العاملة لا يفاوضن لأنفسهن.
Output: As mulleres non negocian por si mesmas no mundo do traballo.
Input: Consider Input: (ضحك) هم يبيعون النظارات على الإنترنت.
| Output: (Risas) Venden gafas por internet.
|
In this task, you will be presented with a question in Dutch language, and you have to write the person names from the question if present. B denotes the first item of a phrase and an I any non-initial word. Phrase used for the person name - PER. There can be instances with no person name entity, then return 'None'.
Q: publicatiedatum
A: None
****
Q: BPT-uren zijn vrijgestelde lesuren voor bijzondere pedagogische taken .
A: None
****
Q: Zoals de Italianen , donderdagavond .
A: | None
****
|
Definition: In this task you will be given a string that only contains single digit numbers spelled out. The input string will not contain spaces between the different numbers. Your task is to return the number that the string spells out. The string will spell out each digit of the number for example '1726' will be 'oneseventwosix' instead of 'one thousand seven hundred six'.
Input: sevenfiveeighteighttwofive
Output: | 758825 |
Detailed Instructions: You are given a statement written in Hindi. Choose the most logical word from the given 4 options which can be used to replace the <MASK> token in the statement. Output the word from the correct option .
Q: Statement: हुदहुद तूफान आंध्र प्रदेश से १२ अक्टूबर को सुबह ११:३० को गुजरा। यहाँ यह तूफान <MASK> में जा कर टकरा गया। तब इसकी गति २१५ किलो मीटर प्रति घंटे की थी। इस तूफान के कारण लगभग 6px२००० करोड़ का नुकसान हुआ है।
Option A: सुकमा
Option B: विशाखापत्तनम
Option C: दिल्ली
Option D: ओमान
A: | विशाखापत्तनम |
In this task you will be given a list of numbers and you need to find the mean (average) of that list. The mean of a list can be found by summing every number in the list then dividing the result by the size of that list. The output should be rounded to 3 decimal places.
Q: [-46.477, 194.636, -33.389, 107.268]
A: | 55.509 |
Q: In this task, we have Spanish and Catalan tweets for automatic stance detection. The data has three labels Against, Favor, and Neutral which express the stance towards the target -independence of Catalonia. If the tweet criticizes the independence of Catalonia then it's 'Against' and if the tweets support it then it will be labeled as 'Favor' also if the tweets state information or news rather than stating opinion then it will be characterized as 'Neutral'.
Tweet: ATENCIO #desnonament PENAL Demà dimecres, 12 setembre 09.00 h Carrer Cadí, 36 #Turo #NouBarris <M> L5 Vilapicina Angela i la seva familia ens demanen ajuda. (Hi ha menors). #StopDesnonaments
A: | Favor |
Subsets and Splits