prompt
stringlengths 47
13.7k
| response
stringlengths 0
3.54k
|
---|---|
Q: Given the prompt and a response, classify the them to "yes" if response is "yes, and" type. Otherwise classify it as "no". "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...'.
Prompt: Oh, I just assumed... I assumed once we spun the salad dry, we'd take it out of the tank.
Response: Oh, I'm tired of hearing about your chickens. I lost my accent.
A: | no |
You will be given a sentence containing a pronoun/person name and an emotion. From these implicit parameters, the main goal is to find the gender of the person (male / female).
My son has two children. | male |
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
One example is below.
Q: 876 f.3d at 1306.
A: non-overruling
Rationale: It's a good example. This sentence doesn't overrule any law, So it's non-overruling.
Q: finally, although thomas did not appear to have a possessory interest in the taxi, we have held that a permissible inference may be drawn that people who know each other and are traveling together in a vehicle ""in circumstances indicating drug use or selling activity are operating together, and thus are sharing knowledge of the essentials of their operation.""
A: | non-overruling |
Given a text from Polish tweets, classify given tweet text into two categories: '1' (bullying), and '0' (not bullying) on its content.
@anonymized_account Ale jest procedura rozwiązania marszu gdy jego uczestnicy nie przestrzegają prawa | 0 |
Detailed Instructions: You will be given a passage consisting of set of facts and a question as input. The task is to answer a question of form 'Where is <person_name>?' using one of the given facts to determine the latest location of the person. Answer should be a word/phrase describing the location from the supporting fact. Avoid answers that are incomplete or incorrect.
See one example below:
Problem: Passage: Mary moved to the bathroom. John went to the hallway. Question: Where is Mary?
Solution: bathroom
Explanation: 'Mary moved to the bathroom.' is a supporting fact from which we can conclude that Mary is in bathroom.
Problem: Passage: Sandra journeyed to the garden. Sandra journeyed to the kitchen. Daniel journeyed to the bedroom. Sandra moved to the garden. Question: Where is Sandra?
Solution: | garden |
Given the task definition and input, reply with output. In this task, you are given two sets, and you need to count the number of elements at the union of two given sets. A Set is shown by two curly braces and comma-separated numbers inside, like {1, 2, 3}. Union of two given sets is the smallest set which contains all the elements of both the sets. To find the union of two given sets, A and B is a set that consists of all the elements of A and all the elements of B such that no element is repeated.
Set1: '{5, 6, 7, 10, 12, 13, 18, 19}', Set2: '{18, 3, 20, 15}'. How many elements are there in the union of Set1 and Set2 ?
| 11 |
Given the task definition and input, reply with output. 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.
Find the names of instructors who didn't each any courses in any Spring semester.
| SELECT name FROM instructor WHERE id NOT IN (SELECT id FROM teaches WHERE semester = 'Spring') |
instruction:
In this task you are expected to fix an SQL query based on feedback. You will be given an SQL statement and an English description with what is wrong about that SQL statement. You must correct the SQL statement based off of the feedback. 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.
question:
SQL: SELECT T1.Name FROM channel AS T1 JOIN broadcast AS T2 ON T1.Channel_ID = T2.Channel_ID GROUP BY T2.Channel_ID ORDER BY Count ( * ) Desc LIMIT 1
Feedback: Replace channel and broadcast's channel id with program and broadcast's program id . name should be of program table .
answer:
SELECT t1.name FROM program AS t1 JOIN broadcast AS t2 ON t1.program_id = t2.program_id GROUP BY t2.program_id ORDER BY count(*) DESC LIMIT 1
question:
SQL: SELECT T2.Name FROM Physician AS T1 JOIN Patient AS T2 ON T1.EmployeeID = T2.PCP WHERE T1.Name = "Surgery" INTERSECT SELECT T2.Name FROM Physician AS T1 JOIN Patient AS T2 ON T1.EmployeeID = T2.PCP WHERE T1.Name = "Psychiatry"
Feedback: Need to find Physician's name associated with both Surgery and Psychiatry block floor . Show their names .
answer:
SELECT T1.name FROM physician AS T1 JOIN affiliated_with AS T2 ON T1.EmployeeID = T2.physician JOIN department AS T3 ON T2.department = T3.DepartmentID WHERE T3.name = 'Surgery' INTERSECT SELECT T1.name FROM physician AS T1 JOIN affiliated_with AS T2 ON T1.EmployeeID = T2.physician JOIN department AS T3 ON T2.department = T3.DepartmentID WHERE T3.name = 'Psychiatry'
question:
SQL: SELECT T1.Artwork_ID , T1.Name FROM artwork AS T1 JOIN nomination AS T2 ON T1.Artwork_ID = T2.Artwork_ID GROUP BY T2.Festival_ID HAVING Count ( * ) > = 2
Feedback: Change artwork table with festival detail table and artwork id , name with festival id , festival name .
answer:
| SELECT T1.Festival_ID , T3.Festival_Name FROM nomination AS T1 JOIN artwork AS T2 ON T1.Artwork_ID = T2.Artwork_ID JOIN festival_detail AS T3 ON T1.Festival_ID = T3.Festival_ID GROUP BY T1.Festival_ID HAVING COUNT(*) >= 2
|
Given an input stream, the objective of this task is to classify whether words in the stream are grammatically correct or not. The input to this task is a stream of words, possibly from captions generated by a speech-to-text engine, and the output is a classification of each word from the labels (reason) = [NO_DIFF (correct), CASE_DIFF (case error), PUNCUATION_DIFF (punctuation error), CASE_AND_PUNCUATION_DIFF (both case and punctuation error), STEM_BASED_DIFF (stem word error), DIGIT_DIFF (digit error), INTRAWORD_PUNC_DIFF (intra-word punctuation error), and UNKNOWN_TYPE_DIFF (an error that does not corrrespond to the previous categories)].
Ex Input:
['as', 'a', 'follow-up', 'to', 'the', 'main', 'video', 'about', 'how', 'quantum', 'computers', 'factor', 'large', 'numbers', 'to', 'break', 'encryption', 'I', 'want', 'to', 'demonstrate', 'how', "Shor's", 'algorithm', 'would', 'factor', 'a', 'real-live', 'number', 'like', 'maybe', 'you', 'were', 'bequeathed', 'the', 'bank', 'vault', 'full', 'of', 'pies', 'but', 'the', 'access', 'code', 'left', 'to', 'you', 'was', 'encrypted', 'using', 'the', 'number', '314,000', '191', 'and', 'you', "can't", 'get', 'to', 'the', 'pies', 'until', 'you', 'know', 'the', 'factors', 'luckily', 'I', 'happen', 'to', 'have', 'a', 'working', 'quantum', 'computer', 'that', 'can', 'run', "Shor's", 'algorithm', 'as', 'a', 'refresher', "here's", 'a', 'rough', 'overview', 'of', 'how', "Shor's", 'algorithm', 'factors', 'large', 'numbers', 'quickly', 'for', 'any', 'crappy', 'guess', 'at']
Ex Output:
['CASE_DIFF', 'NO_DIFF', 'INTRAWORD_PUNC_DIFF', 'NO_DIFF', 'NO_DIFF', 'NO_DIFF', 'NO_DIFF', 'NO_DIFF', 'NO_DIFF', 'NO_DIFF', 'NO_DIFF', 'NO_DIFF', 'NO_DIFF', 'NO_DIFF', 'NO_DIFF', 'NO_DIFF', 'PUNCUATION_DIFF', 'NO_DIFF', 'NO_DIFF', 'NO_DIFF', 'NO_DIFF', 'NO_DIFF', 'INTRAWORD_PUNC_DIFF', 'NO_DIFF', 'NO_DIFF', 'NO_DIFF', 'NO_DIFF', 'NO_DIFF', 'NO_DIFF', 'NO_DIFF', 'NO_DIFF', 'NO_DIFF', 'NO_DIFF', 'NO_DIFF', 'UNKNOWN_TYPE_DIFF', 'NO_DIFF', 'NO_DIFF', 'NO_DIFF', 'NO_DIFF', 'PUNCUATION_DIFF', 'NO_DIFF', 'NO_DIFF', 'NO_DIFF', 'NO_DIFF', 'NO_DIFF', 'NO_DIFF', 'NO_DIFF', 'NO_DIFF', 'NO_DIFF', 'NO_DIFF', 'NO_DIFF', 'NO_DIFF', 'NO_DIFF', 'NO_DIFF', 'NO_DIFF', 'NO_DIFF', 'INTRAWORD_PUNC_DIFF', 'NO_DIFF', 'NO_DIFF', 'NO_DIFF', 'NO_DIFF', 'NO_DIFF', 'NO_DIFF', 'NO_DIFF', 'NO_DIFF', 'PUNCUATION_DIFF', 'CASE_DIFF', 'NO_DIFF', 'NO_DIFF', 'NO_DIFF', 'NO_DIFF', 'NO_DIFF', 'NO_DIFF', 'NO_DIFF', 'NO_DIFF', 'NO_DIFF', 'NO_DIFF', 'NO_DIFF', 'NO_DIFF', 'NO_DIFF', 'NO_DIFF', 'NO_DIFF', 'PUNCUATION_DIFF', 'INTRAWORD_PUNC_DIFF', 'NO_DIFF', 'NO_DIFF', 'NO_DIFF', 'NO_DIFF', 'NO_DIFF', 'INTRAWORD_PUNC_DIFF', 'NO_DIFF', 'NO_DIFF', 'NO_DIFF', 'NO_DIFF', 'PUNCUATION_DIFF', 'NO_DIFF', 'NO_DIFF', 'NO_DIFF', 'NO_DIFF', 'NO_DIFF']
Ex Input:
["we're", 'asked', 'to', 'solve', 'the', 'log', 'of', 'X', 'plus', 'log', 'of', '3', 'is', 'equal', 'to', '2', 'log', 'of', '4', 'minus', 'log', 'of', '2', 'so', 'let', 'me', 'just', 'rewrite', 'it', 'so', 'we', 'have', 'the', 'log', 'of', 'X', 'plus', 'the', 'log', 'of', '3', 'is', 'equal', 'to', '2', 'times', 'the', 'log', 'of', '4', 'minus', 'the', 'log', 'of', '2', 'or', 'the', 'logarithm', 'of', '2', 'and', 'just', 'as', 'a', 'reminder', 'whenever', 'you', 'see', 'a', 'logarithm', 'written', 'without', 'a', 'base', 'the', 'implicit', 'base', 'is', '10', 'so', 'we', 'could', 'write', '10', 'here', '10', 'here', '10', 'here', 'and', '10', 'here', 'but', 'for', 'the', 'rest', 'of', 'this', 'example', "I'll"]
Ex Output:
['CASE_DIFF', 'NO_DIFF', 'NO_DIFF', 'NO_DIFF', 'NO_DIFF', 'NO_DIFF', 'NO_DIFF', 'CASE_DIFF', 'NO_DIFF', 'NO_DIFF', 'NO_DIFF', 'NO_DIFF', 'NO_DIFF', 'NO_DIFF', 'NO_DIFF', 'NO_DIFF', 'NO_DIFF', 'NO_DIFF', 'NO_DIFF', 'NO_DIFF', 'NO_DIFF', 'NO_DIFF', 'PUNCUATION_DIFF', 'CASE_DIFF', 'NO_DIFF', 'NO_DIFF', 'NO_DIFF', 'NO_DIFF', 'PUNCUATION_DIFF', 'CASE_DIFF', 'NO_DIFF', 'NO_DIFF', 'NO_DIFF', 'NO_DIFF', 'NO_DIFF', 'CASE_DIFF', 'NO_DIFF', 'NO_DIFF', 'NO_DIFF', 'NO_DIFF', 'NO_DIFF', 'NO_DIFF', 'NO_DIFF', 'NO_DIFF', 'NO_DIFF', 'NO_DIFF', 'NO_DIFF', 'NO_DIFF', 'NO_DIFF', 'NO_DIFF', 'NO_DIFF', 'NO_DIFF', 'NO_DIFF', 'NO_DIFF', 'PUNCUATION_DIFF', 'NO_DIFF', 'NO_DIFF', 'NO_DIFF', 'NO_DIFF', 'PUNCUATION_DIFF', 'CASE_DIFF', 'UNKNOWN_TYPE_DIFF', 'UNKNOWN_TYPE_DIFF', 'NO_DIFF', 'PUNCUATION_DIFF', 'CASE_DIFF', 'NO_DIFF', 'NO_DIFF', 'NO_DIFF', 'NO_DIFF', 'NO_DIFF', 'NO_DIFF', 'NO_DIFF', 'PUNCUATION_DIFF', 'NO_DIFF', 'NO_DIFF', 'NO_DIFF', 'NO_DIFF', 'PUNCUATION_DIFF', 'CASE_DIFF', 'NO_DIFF', 'NO_DIFF', 'NO_DIFF', 'NO_DIFF', 'PUNCUATION_DIFF', 'NO_DIFF', 'PUNCUATION_DIFF', 'NO_DIFF', 'PUNCUATION_DIFF', 'NO_DIFF', 'NO_DIFF', 'PUNCUATION_DIFF', 'CASE_DIFF', 'NO_DIFF', 'NO_DIFF', 'NO_DIFF', 'NO_DIFF', 'NO_DIFF', 'PUNCUATION_DIFF', 'NO_DIFF']
Ex Input:
['my', 'name', 'is', 'Kyrie', 'toll', 'of', "I'm", 'a', 'firefighter', 'and', 'currently', 'I', 'make', 'anywhere', 'from', '65', 'to', '70', 'grand', 'a', 'year', 'so', 'I', 'feel', 'pretty', 'good', 'about', 'my', 'finances', 'compared', 'to', 'compared', 'to', 'about', 'five', 'years', 'ago', 'where', 'I', 'was', 'just', 'working', 'for', 'a', 'minimum', 'wage', 'at', 'Target', "I've", 'come', 'a', 'long', 'way', 'and', 'I', 'feel', 'like', 'in', 'the', 'future', 'my', 'finances', 'just', 'having', 'nowhere', 'but', 'up', 'to', 'look', 'so', 'for', 'school', 'and', 'for', 'the', 'Fire', 'Academy', 'I', 'was', 'able', 'to', 'pay', 'for', 'it', 'usually', 'through', 'financial', 'aid', 'and', 'when', 'I', "didn't", 'have', 'financial', 'aid', 'I', 'was', 'able', 'to', 'sustain']
Ex Output:
| ['CASE_DIFF', 'NO_DIFF', 'NO_DIFF', 'NO_DIFF', 'NO_DIFF', 'NO_DIFF', 'NO_DIFF', 'NO_DIFF', 'NO_DIFF', 'NO_DIFF', 'NO_DIFF', 'NO_DIFF', 'NO_DIFF', 'NO_DIFF', 'NO_DIFF', 'NO_DIFF', 'NO_DIFF', 'NO_DIFF', 'NO_DIFF', 'NO_DIFF', 'PUNCUATION_DIFF', 'CASE_DIFF', 'NO_DIFF', 'NO_DIFF', 'NO_DIFF', 'NO_DIFF', 'NO_DIFF', 'NO_DIFF', 'NO_DIFF', 'NO_DIFF', 'NO_DIFF', 'NO_DIFF', 'NO_DIFF', 'NO_DIFF', 'NO_DIFF', 'NO_DIFF', 'NO_DIFF', 'NO_DIFF', 'NO_DIFF', 'NO_DIFF', 'NO_DIFF', 'NO_DIFF', 'NO_DIFF', 'NO_DIFF', 'NO_DIFF', 'NO_DIFF', 'NO_DIFF', 'PUNCUATION_DIFF', 'NO_DIFF', 'NO_DIFF', 'NO_DIFF', 'NO_DIFF', 'NO_DIFF', 'NO_DIFF', 'NO_DIFF', 'NO_DIFF', 'NO_DIFF', 'NO_DIFF', 'NO_DIFF', 'PUNCUATION_DIFF', 'NO_DIFF', 'NO_DIFF', 'NO_DIFF', 'STEM_BASED_DIFF', 'NO_DIFF', 'NO_DIFF', 'NO_DIFF', 'NO_DIFF', 'PUNCUATION_DIFF', 'CASE_AND_PUNCUATION_DIFF', 'NO_DIFF', 'NO_DIFF', 'NO_DIFF', 'NO_DIFF', 'NO_DIFF', 'CASE_DIFF', 'CASE_AND_PUNCUATION_DIFF', 'NO_DIFF', 'NO_DIFF', 'NO_DIFF', 'NO_DIFF', 'NO_DIFF', 'NO_DIFF', 'NO_DIFF', 'NO_DIFF', 'NO_DIFF', 'NO_DIFF', 'NO_DIFF', 'NO_DIFF', 'NO_DIFF', 'NO_DIFF', 'NO_DIFF', 'NO_DIFF', 'NO_DIFF', 'PUNCUATION_DIFF', 'NO_DIFF', 'NO_DIFF', 'NO_DIFF', 'NO_DIFF', 'NO_DIFF']
|
Process: - Waves hit the coast - Waves have energy that pushes the water and sediment - The sediment can help erode land like sandpaper - Water washes the sediment back - Some sediment is left as sand. Perturbation hypothesis: suppose less water in the environment happens, how will it affect fewer waves hit the coast. Does the supposed perturbation have an effect (direct or indirect) on the process?
Answer: | no |
You will be given a definition of a task first, then some input of the task.
In this task, you are given a tuple, comprising Head and Tail, separated with <sep>. The Head and the Tail events are short phrases possibly involving participants. The names of specific people have been replaced by generic words (e.g., PersonX, PersonY, PersonZ). PersonX is always the subject of the event. You have to determine whether, as a result of the Head, PersonY, or others, feel what is mentioned in the Tail or not. Feelings in this task are the emotional reactions on the part of PersonY or other participants in an event. For example, as a result of gift-giving, others (in this case, PersonY) might feel appreciated. Classify your answers into "Yes" and "No". The phrase may also contain "___", a placeholder that can be an object, a person, and/or an action.
Head: PersonX always wore ___<sep>Tail: practical
Output: | No |
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.
Q: The whole business is run on sustainable energy.
A: Cijeli restoran napaja se održivom energijom.
****
Q: Every November, tens of thousands of people try to write their own 50,000 word novel from scratch in 30 days.
A: Svaki studeni, deseci tisuća ljudi pokušavaju napisati svoj roman od 50.000 riječi od početka u 30 dana.
****
Q: There's no insurance company that can say "no."
A: | Nema osiguravajuće tvrtke koja može reći "ne".
****
|
Detailed Instructions: In this task, you are given two strings A,B. You must perform the following operations to generate the required output list: (i) Find the longest common substring in the strings A and B, (ii) Convert this substring to all lowercase and sort it alphabetically, (iii) Replace the substring at its respective positions in the two lists with the updated substring.
Problem:OyEMEo, mxEMtj
Solution: | OyemEo, mxemtj |
Suggest a movie title for the following movie plot: Charlotte, a young woman, is abducted by Baron Meier Link, a vampire nobleman who is known not to harm humans needlessly. Charlotte's father, Elbourne, hires D, a dhampir, to find her and rescue her, and alternatively, kill her humanely if she's been turned into a vampire. He offers D $500,000 as a down payment, and offers him $10mil if he carries out the job. D has Elbourne double the payment, and agrees to search for Charlotte. At the same time, Charlotte's older brother hires another group of vampire hunters, the notorious Marcus brothers, composed of the leader Borgoff, a hulking man named Nolt, a blade master named Kyle, a physically disabled psychic named Grove and a woman named Leila who hunts vampires because of a personal grudge rather than for monetary gain. The two parties (D and the Marcus brothers) race inexorably after Meier Link. However, Meier Link hires the mutant Barbarois; a group of lethal mercenary body guards. They consist of Caroline, a shape shifter; Benge, a shadow manipulator; and Machira, a werewolf. Throughout the course of the film, two of the Marcus brothers, Nolt and Kyle, end up being killed by the mutant Barbarois, while Leila and Borgoff continue their search for Charlotte. As the story progresses, Meier Link's abduction of Charlotte turns out to not be as it seemed, as it's revealed that Charlotte willingly ran away with Meier Link as his lover. Charlotte rightfully feared that no one would understand their relationship, with her a human and Link a vampire. Throughout their search, and after both characters save each other from seeming death at separate points, D has a conversation with Leila, where she reveals that she hunts vampires because a vampire killed her mother. D tells her that he hunts vampires as he has no other choice as a dhampir, and she can have a life that someone like him could never have; the life of a normal human. Leila, having not exactly taken the life of a normal human, instead being a monster hunter, fears that no one will mourn her death when that...
The answer to this question is: | Vampire Hunter D: Bloodlust |
Detailed Instructions: Given a sentence in Italian, generate a new Italian sentence by performing small changes on the sentence. Here, make sure that the changes are semantically related and syntactically similar to the input. And the generated sentence should have high commonsense plausibility, that is to have reasonable probability of it being true.
See one example below:
Problem: È probabile che in futuro chiamerete una lista dei nomi.
Solution: E' probabile che troviate una carta dei vini al ristorante.
Explanation: This is a good change in the input, because it is semantically similar to the input as both are talking about either list of names or wines and the output sentence follows the commonsense knowledge.
Problem: È possibile utilizzare filo interdentale cerato per pulire tra i denti.
Solution: | È possibile formare filo interdentale cerato per legare tra i denti. |
Given the task definition and input, reply with output. In this task, you will be given a short story. One sentence from the story is chosen. Consider the likely emotions and basic human drives of the participants in that sentence. Does any of these states of mind/feelings motivate the participant to do what happens in that sentence? You should write your answer in the form " A >Motivates> B". Try to use phrases and sentences from the story to compose your answer when possible. For the motivation sentence, you must choose a verb from :feel(s), want(s) or like(s). There will always be some motivation in the given story.
story: Margaret saw Something in the hall. She thought it was a ghost. She told her friends at work. Her friends came over to Margaret's house. They didn't think it was haunted.
selected sentence: Her friends came over to Margaret's house.
| Her friends feel(s) curiosity >Motivates> Her friends come to Margaret's house |
Detailed Instructions: This task is about classifying the sentiment of tweets in the Arabic language as POSITIVE or NEGATIVE. A positive (negative) sentiment indicates that the expressed opinion in the sentence is positive (negative). The input is a sentence is a sentence in Arabic and the output is the classified sentiment.
Problem:الحمدلله على كل حال، الفرصه قائمه، والقادم اجمل
Solution: | POSITIVE |
In this task, you're shown a three-part story, with a beginning, middle, and ending. Your job is to slightly modify the middle part, so that the whole story becomes unlikely, improbable, or inconsistent. Generated sentences must minimally alter the given middle, with at most 4 new words added/existing words removed. Your sentence should be grammatically and syntactically correct. Also stick to the context of the given story. For example, if the story talks about "doctors", you can talk about "health" or "diagnosis", but don't mention "aliens". Avoid introducing any extra/irrelevant information, and use names instead of pronouns (e.g. he / she) wherever possible. Avoid simply negating the original middle, for example: "She likes cakes." is changed to "She doesn't like cakes."
Example Input: Beginning: Tom wanted to earn some extra income. Middle: Tom began to teach classes. Ending: Tom made a lot of money from the classes.
Example Output: Tom began to beg on the corner.
Example Input: Beginning: Silas was a forgetful person. Middle: Silas started to do stuff to help his memory like taking supplements. Ending: Once he did, he no longer had problems remembering things.
Example Output: Silas stopped to do stuff to help his memory like taking supplements.
Example Input: Beginning: Luis was interested in the supernatural. Middle: He and his best friend signed up for a haunted tour of a building in a neighboring town that was known for being haunted. Ending: They were disappointed because nothing much happened.
Example Output: | He and his best friend saw a scary ghost.
|
Teacher:In this task you are given a sentence with one coordinating conjunction (for, and, nor, but, or, yet, and so). You must judge whether the order of two coordinated clausal conjoints have been inverted or not. Inversion would result in the sentence sounding unnatural. Label the instances as "Original" or "Inversion" based on your judgment.
Teacher: Now, understand the problem? Solve this instance: Then , with a growl , he found her wetness , and he gave a last kiss on her thigh .
Student: | Inversion |
Here are some reviews for a movie: 1. Dank interior castle settings create a claustrophobic intensity that underscores the growing sense of paranoia and people's sinister machinations in this battle for England.
2. Kapur cunningly confuses gender roles, equates sex with death, and rattles through dark, stony passions with some considerable panache.
3. More often than not, it's a watchable and thought-provoking history lesson rather than the captivating, revealing, intimate portrait it wants to be.
4. Drama of the ascendancy of England's most powerful queen brims with great acting, brilliant direction.
5. Shekhar Kapur gets particularly good work out of Blanchett, who invests Elizabeth with a disparate mix of naive vulnerability, tart wit and steadfast resolve, sometimes all within a single scene.
6. Without [Blanchett], Kapur's extravagant history lesson (written by Michael Hirst) blurs into dark doings among men in tights.
7. Cate Blanchett gives a bravura performance in this dark and lurid account, which is done from a contemporary standoint as a conspiracy thriller, emphasizing the violent actions
8. "Elizabeth" is superior historical soap opera that shrewdly sidesteps all the cliches of British costume drama with its bold, often modern approach.
9. Historians will take issue with some of the filmmakers' choices, but fans of juicy historical drama will just hunker down for the feast.
10. Blanchett is the shining jewel in an otherwise dull and tarnished crown.
What was the overall consensus about the movie? | No mere historical drama, Elizabeth is a rich, suspenseful journey into the heart of British Royal politics, and features a typically outstanding performance from Cate Blanchett. |
instruction:
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.
question:
Find the total number of matches.
answer:
SELECT count(*) FROM matches
question:
What are the names and years of all races that had a driver with the last name Lewis?
answer:
SELECT T2.name , T2.year FROM results AS T1 JOIN races AS T2 ON T1.raceid = T2.raceid JOIN drivers AS T3 ON T1.driverid = T3.driverid WHERE T3.forename = "Lewis"
question:
Find the ids of the students who participate in Canoeing and Kayaking.
answer:
| SELECT T1.stuid FROM participates_in AS T1 JOIN activity AS T2 ON T2.actid = T2.actid WHERE T2.activity_name = 'Canoeing' INTERSECT SELECT T1.stuid FROM participates_in AS T1 JOIN activity AS T2 ON T2.actid = T2.actid WHERE T2.activity_name = 'Kayaking'
|
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 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.
The patients received either azithromycin (600 mg/d for 3 days during week 1, then 600 mg/wk during weeks 2-12; n = 3879) or placebo (n = 3868)
Solution: azithromycin, placebo
Why? The word azithromycin refers to a drug, and placebo refers to a control test. Note that no extra information is given in the output.
New input: Patients with a score at or beyond this threshold would be considered at high risk for developing NC in later cycles .
Solution: | not found |
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.
Input: Consider Input: [63, -33, -11, -28, -30, 96, -69, -89, 33, 91]
Output: [-11, -28, -89, 91]
Input: Consider Input: [69, -35, 8, 55, -25, -81]
Output: [-35, 8, 55, -25]
Input: Consider Input: [-100, 10, 1, -6, 38, 86, 79, -3, 71]
| Output: [-100, 10, 1, 38, 86, 79, 71]
|
Given the task definition and input, reply with output. 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.
Within 24 hours of fluid restriction and cessation of desmopressin, her symptoms and hyponatremia resolved.
| adverse drug event |
You are given a sentence in Arabic. Your job is to translate the Arabic sentence into Galician.
مثل هذا الجمال الهادئ ، صوتي الهادئ ، شعب صلب ذات الأطراف هكذا أقنعة على كل وجه وديع.
Hai tal beleza silenciosa aquí, nela, nesta miña xente de voz suave e membros entumecidos! Tal determinación enmascarada por cada faciana plácida!
و حتى لو ذكروها لأطبائهم الخاصين من الممكن أن يخطئوا التشخيص
E se llo mencionan ao seu médico poden acabar cun diagnóstico errado.
إنها تتخلص من المواد القابلة للتغيير.
| É un material que cambia de fase.
|
We would like you to classify each of the following sets of argument pairs (discussing Gay Marriage) into either SIMILAR or NOT SIMILAR. A pair of arguments is considered SIMILAR if the arguments are about the same FACET (making the same argument), and is considered NOT SIMILAR if they do not have the same FACET. A FACET is a low level issue that often reoccurs in many arguments in support of the author's stance or in attacking the other author's position.
Input: Consider Input: Sent1: The Defense of Marriage Act, or DOMA, was enacted by Congress in 1996 when it appeared Hawaii would soon legalize same-sex marriage and opponents worried that other states would be forced to recognize such marriages.
Sent2: The federal DOMA was an effort to quarantine same-sex marriage, to exclude same-sex couples from federal rights and benefits even if states were to legalize same-sex marriage, which several have done since 1996.
Output: Similar
Input: Consider Input: Sent1: Changing the current state of marriage to allow same sex marriage will not effect straight marriages at all.
Sent2: There is precidence for marriages not being recognized state to state, outside of same sex marriage.
Output: Not similar
Input: Consider Input: Sent1: Nothing would prevent straight couples from the exact same marriage whether gay people can marry or not.
Sent2: The fact is that homosexuals have the same right to marry that straights have.
| Output: Not similar
|
Given the task definition and input, reply with output. 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".
Premise: گیاهی که ۰.۱ پوند جیوه ساطع می کند و گیاهی که ۲۰۰۰ پوند جیوه ساطع می کند - صرف نظر از هزینه - نه کارآمد و نه ضروری است. <sep> Hypothesis: گیاهانی که جیوه ساطع می کنند ضروری نیستند.
| Entailment |
In this task, you will be shown a prompt from a judicial decision and multiple holding statements derived from citations following text in a legal decision. Holdings represent the governing legal rule when the law is applied to a particular set of facts. There are five answer choices for each citing text. The correct answer is the holding statement that corresponds to the citing text. The four incorrect answers are other holding statements. You should find the correct option. There is a <HOLDING> token in the position of the citing text prompt where the holding statement was extracted.
--------
Question: (9th Cir.2003) (<HOLDING>).' Amara’s remaining contentions are
Holding statements: (A) holding that proper remedy for failure to exhaust is dismissal of the claim without prejudice (B) recognizing that dismissal may be proper where plaintiff concedes the failure to exhaust (C) holding that dismissal of a pro se complaint for failure to state a claim should generally be without prejudice but if the plaintiff has been given an opportunity amend his complaint and fails to do so the dismissal may be with prejudice (D) holding dismissal with prejudice is appropriate remedy for failure to timely file undertaking (E) holding that a review committee of the kansas board for discipline of attorneys had the authority to dismiss a complaint against an attorney with or without prejudice and when dismissal was ordered without specifying the nature of the dismissal the dismissal was without prejudice to the filing of later proceedings on the same matter
Answer: (A)
Question: 2001) (describing the denial of a jury trial as a structural defect requiring automatic reversal). Similarly, every Florida district court of appeal has issued a decision reversing a conviction obtained without a valid waiver of a jury trial. See, e.g., Montero v. State, 780 So.2d 917, 917 (Fla. 2d DCA 2000) (reversing the defendant’s conviction because the record failed to show that the defendant validly waived his right to a jury trial); Hyler v. State, 732 So.2d 1208, 1209 (Fla. 4th DCA 1999) (concluding that a conviction must be reversed where the record contained no written waiver and did not reflect an inquiry by the trial court that the defendant voluntarily, knowingly, and intelligently waived his right to a jury trial); Gamble v. State, 696 So.2d 420, 420 (Fla. 5th DCA 1997) (<HOLDING>); Sansom v. State, 642 So.2d 631, 631 (Fla. 1st
Holding statements: (A) holding that a failure to inform the defendant of the minimum possible sentence meant that the defendant did not fully understand the consequences of his plea and his rights were therefore automatically substantially affected (B) holding that the failure to inform the defendant of his right to a sixperson jury and the failure to consult the defendant as to his wishes was an error for which a new trial was the only remedy (C) holding that treating a defendants failure to appear as a waiver not only of the right to be present but of the right to have a hearing on the motion was error (D) holding that failure to inform the defendant of the constitutionally mandated right to a sixperson jury when one juror became ill after the jury had been sworn but before trial had begun and the defendants attorney waived his rights without consulting defendant mandates a new trial (E) holding that an express waiver of the right to appeal the sentence was invalid because the trial court had failed properly to advise the defendant and that the defendant therefore did not waive his right to appeal the legality of his sentence
Answer: (B)
Question: See New Cingular Wireless Servs., 232 F.R.D. at 300 (rejecting an argument that a class representative was inadequate because he could not show that he “recall[ed] the terms of a settlement for a case he was previously involved in, or that he was aware that his attorneys had filed certain motions in the current case”). Based on the foregoing, the Court finds that Murray’s involvement in the litigation weighs in favor of finding him an adequate class representative. E*Trade also argues that Murray lacks sufficient understanding of the issues involved in his FCRA suit. A class representative, however, is not required to understand the intricacies of the suit. See Margolis v. Caterpillar, Inc., 815 F.Supp.1150, 1154 (C.D.Ill.1991); New Cingular Wireless Servs., 232 F.R.D. at 300 (<HOLDING>); Cavin, 236 F.R.D. at 394 (same). It is enough
Holding statements: (A) holding that the mere existence of individualized factual questions with respect to the class representatives claim will not bar class certification (B) holding that class representatives cannot appear pro se (C) holding that a class representatives ignorance of the case is not a bar to certification unless it impairs the representatives ability to vigorously prosecute the action (D) holding that awards of 2500 to majority of representatives and 5000 to deposed representatives were inappropriate where representatives had borne little risk by participating in litigation and provided services that could have been provided by any other class member (E) recognizing that the number of class representatives is not significant under rule 23a
Answer: | (C)
|
TASK DEFINITION: Given a short bio of a person, find the minimal text span containing the date of birth of the person. The output must be the minimal text span that contains the birth date, month and year as long as they are present. For instance, given a bio like 'I was born on 27th of Decemeber 1990, and graduated high school on 23rd October 2008.' the output should be '27th of December 1990'.
PROBLEM: Saldaña was born on June 19, 1978, in Passaic, New Jersey
SOLUTION: June 19, 1978
PROBLEM: Leguizamo was born in Bogotá, Colombia on July 22, 1964, to Alberto and Luz Leguizamo
SOLUTION: July 22, 1964
PROBLEM: McDowell was born Malcolm John Taylor on 13 June 1943 in Horsforth, West Riding of Yorkshire, the son of hotelier Edna (née McDowell) and RAF officer (and later pub owner) Charles Taylor
SOLUTION: | 13 June 1943
|
Given the task definition and input, reply with output. In this task you will be given a list of integers. You should find the maximum absolute difference between 2 integers in the list. The absolute difference is the absolute value of one integer subtracted by another. The output should be a single integer which is the largest possible absolute distance.
[-82, -33, 42, 94, 0, -70, 58, -32, 31, 22]
| 176 |
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].
Ex Input:
well you can they're only saying that 'normalfag art genre list' in the post is what straights do, apparently
Ex Output:
no
Ex Input:
Sure, but a lot of the criticisms are disingenuous. The invasion of privacy stuff was people not understanding anti-cheat measures. The Tecent stuff ignores that every fucking gamer runs discord. And the laundry list of other "well Steam has this" ignores that Steam was terrible for years (and is still pretty garbage). I don't think "not having reviews" is a fair reason to get mad at a game dev for using a platform that gives them more money. I paid my dues and installed Steam when it sucked because I needed to so I could play Half Life 2. I've installed Uplay and Origin and rolled my eyes when I needed to then as well. But it's hard to take any of these criticisms of Epic beyond anything other than "Fortnite bad."
Ex Output:
no
Ex Input:
No worries, thanks for talking to them. Maybe you're right, I'll have to take a look at the sub and check out the structure. From my experience most the bigger subs are just extremely left leaning, so maybe I jumped to that conclusion too fast. Will have to look into it a bit more.
Ex Output:
| no
|
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: Consider Input: XJ
Output: XJ
Input: Consider Input: abUgKLJZOmaLssu
Output: bgKLJZmLss
Input: Consider Input: vhBEIHuoxr
| Output: vhBHxr
|
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.
Prompt: Miami Heat Player Lebron James had 34 points, 16 rebounds, 7 assists, 3 steals, and 1 block.
Completion A: His 32 points and 15 assists were the most in a Game 1 of a Finals series since 1988, and his career average of 28.4 points in
Completion B: James had a season-high 19 points, eight rebounds, 4 assists, 6 rebounds, 2 steals, 1 steal, 2 blocks, and 1 guar | Completion A |
Detailed Instructions: You are given a short poem which is written by a kid. Your task is to predict if the kid is in elementary school or high school. Anyone who is from grade 1st to 6th-grade will be considered as in elementary school, and 7th to 12th-grade kids will be considered as in high school. There are only two possible outputs, i.e., elementary and high. All inputs have at least one output and it cannot have both categories at a time.
Problem:almost every afternoon i eat apple with a spoon every weekend right at two i eat apple in fondu most morning right at seven i eat apple chop into eleven
Solution: | elementary |
Detailed Instructions: Given a sentence and a label in Croatian, select the correct answer. There are 2 choices given, out of which only one is correct for a given statement and label. The label of the task is either 'cause' or 'effect'. The output will be the choice which matches the label with the given statement. If the label is 'cause', then the choice which represents the reason of the statement, gives the answer. If the label is 'effect' then the choice which reflects the consequences of the statement is the answer. The output should be the text from the correct choice and not Choice1/Choice2.
Problem:Statement: Meteorit je pao u ocean.
Label: effect
Choice 1: Pojavio se cunami.
Choice 2: Počela je padati tuča.
Solution: | Pojavio se cunami. |
Given the task definition and input, reply with output. This task is to translate a news commentary given in Italian language into Zhuang language. Translate the input statement into the output language while preserving the numberical values, special characters and proper nouns and context of the commentary done.
Secondo la loro visione, le grandi banche dovrebbero essere maggiormente finanziate con equity – fino al 30% della loro capitalizzazione. Ma i banchieri rifiutano fortemente tale proposta (perché ridurrebbe notevolmente i loro compensi), e altrettanto fanno i banchieri centrali (perché troppo persuasi dalle proteste dei banchieri).
| 为此有一批全球最顶尖的独立金融研究者也正以长远而严谨的眼光观察这类事务,而我们近几年的研究显示情况比想象中更糟(详见斯坦福大学商学院教授安娜特·阿德玛蒂Anat Admati的网页)。在他们看来,大银行应具备更多的准备金——大概应占其资本总额的30%。但银行家们则强烈反对这一建议(因为这很可能减少他们的收入),而中央银行管理者们也持有类似的立场(他们都被银行家的抗议所说服了)。 |
Detailed Instructions: In this task you are given a sentence with one coordinating conjunction (for, and, nor, but, or, yet, and so). You must judge whether the order of two coordinated clausal conjoints have been inverted or not. Inversion would result in the sentence sounding unnatural. Label the instances as "Original" or "Inversion" based on your judgment.
Q: She sucked in a breath , and his warm grip on her hand swayed her toward the former .
A: | Inversion |
Detailed Instructions: The input is a conversation between an automated system and a user looking for suggestions for pubs, restaurants and coffee shops in Cambridge. In the dialogue, the user may provide some criteria for the type of place they want such as price range, cuisine, etc. Given such a dialogue, output the price range the user if looking for which can take one of four values: Cheap, Moderate, Expensive and Don't Care. Output cannot be any other value than the four values. Note that if the user asks for the prices of items provided at a pub, restaurant or coffee shop but doesn't mention the price range they are looking for then the correct classification will be Don't Care. If the user does not mention a particular price, the correct classification will be Don't Care.
Q: System: 'Thank you for calling the Cambridge Information system. Your call will be recorded for research purposes. You may ask for information about a place to eat, such as a restaurant, a pub, or a cafe. How may I help you?'
User: 'background noise'
System: 'What kind of price range are you looking for? For example, expensive, or moderate.'
User: 'moderate'
System: 'Are you looking for a venue with a television?'
User: 'no'
System: 'Are you looking for somewhere near a particular venue? For example, Great Saint Mary's Church, Pembroke College, or Williams Art and Antiques.'
User: 'a restaurant'
System: 'Are you looking for somewhere near a particular venue? For example, Clare College, Great Saint Mary's Church, or the Museum of Archaelogy and Anthropology.'
User: 'new chesterton'
System: 'Hakka is an outstanding restaurant. It's in the New Chesterton part of town. It's in the moderate price range.'
User: 'what is the address'
System: 'Hakka is located on 24 Milton Road.'
User: 'what is the phone number'
System: 'The phone number of Hakka is 01223568988.'
User: 'what type of food do they have'
System: 'Hakka serves chinese food.'
User: 'thank you good bye'
A: | Moderate |
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.
Q: [660, 330, 241, 293, 113, 79, 468, 587, 624, 246]
A: [241, 293, 113, 79, 587]
****
Q: [170, 379, 201, 320, 821, 364, 113, 561, 683, 494, 351, 243, 96, 646, 73, 35, 531, 693, 669]
A: [379, 821, 113, 683, 73]
****
Q: [777, 553, 106, 439, 983, 858, 731, 431, 726, 585, 793, 347]
A: | [439, 983, 431, 347]
****
|
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].
Input: Consider Input: question: If an image contains two dogs.
Output: #1 return images
#2 return dogs in #1
#3 return number of #2 for each #1
#4 return #1 where #3 is equal to two
#5 return number of #4
#6 return if #5 is equal to one
Input: Consider Input: question: How many cyan objects are also metallic?
Output: #1 return objects
#2 return #1 that are cyan
#3 return #2 that are metallic
#4 return number of #3
Input: Consider Input: question: what flights from st. louis to st. paul on thursday leaving after 10am
| Output: #1 return flights
#2 return #1 from st. louis
#3 return #2 to st. paul
#4 return #3 on thursday
#5 return #4 that are leaving after 10am
|
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.
[Q]: IW
[A]: W
[Q]: Aq
[A]: q
[Q]: TQFyK
[A]: | TQFyK
|
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 four classes: Religious, Political, Geopolitical and Personal depending on the topic.
ইসলাম ধর্ম যেমন একটা ভন্ডামী তেমনি বঙ্গ ভবনে আরবী সুরা লিখে রাখাটাও একটা ভন্ডামী- মুনতাছের মামুন
| Religious |
Given a prompt and two completions from a language model, select the completion that has the most similar style to the prompt. Style is defined as the tone, word choice, grammar, and sentence structure throughout the prompt-completion pair. If a prompt is colloquial, then the completion should also be colloquial, as opposed to a completion that is encyclopedic or overly formal. Generate either Completion A or Completion B.
[Q]: Prompt: Yesterday, I would have seen two boxes, but two days
Completion A: ago they were all on the floor together. I was like, "What?" They are all sitting. I was like, "This is just the
Completion B: ago I had a box that was empty. It was empty when I got home from work.I also had the package in my apartment today.
[A]: Completion B
[Q]: Prompt: That Shit Was Foul As'f! My ass was cryinggg
Completion A: g! I couldn't keep the tears away for even a second. I ran to my car, put my hands up, and said, "I
Completion B: ggg!!!" And the woman in charge of the scene who was supposed to be on hand for security couldn't stop her."S
[A]: Completion A
[Q]: Prompt: I am ready to punch the motherfuckers in their throat. Oh my science! That
Completion A: was the funny thing!
Completion B: was fun, though, was that a hit? The sound of two hands clapping together is one I've never heard before. But not today
[A]: | Completion B
|
In this task, you're shown a three-part story, with a beginning, middle, and ending. Your job is to slightly modify the middle part, so that the whole story becomes unlikely, improbable, or inconsistent. Generated sentences must minimally alter the given middle, with at most 4 new words added/existing words removed. Your sentence should be grammatically and syntactically correct. Also stick to the context of the given story. For example, if the story talks about "doctors", you can talk about "health" or "diagnosis", but don't mention "aliens". Avoid introducing any extra/irrelevant information, and use names instead of pronouns (e.g. he / she) wherever possible. Avoid simply negating the original middle, for example: "She likes cakes." is changed to "She doesn't like cakes."
Q: Beginning: Charly was a seven year old boy who loved to paint. Middle: Charly took painting classes. Ending: Eventually he got a hang of it and painted a pretty horse.
A: Charly gave painting classes.
****
Q: Beginning: Lanie was nervous. Middle: Lanie was going to band camp. Ending: Lanie makes friends at band camp and makes plans to return next summer
A: Lanie was going to work.
****
Q: Beginning: Kevin wanted to be on the soccer team. Middle: Kevin tried out for the team. Ending: He made the soccer team in his high school!
A: | Kevin forgot to try out for the team.
****
|
Detailed Instructions: In this task, you are given two sets, and a question. You need to find whether an element is at the intersection of two given sets. A Set is shown by two curly braces and comma-separated numbers inside, like {1, 2, 3}. The intersection of two given sets is the largest set which contains all the elements that are common to both sets. An element is at the intersection of two given sets, A and B, if common to both A and B. Classify your answers into 'Yes' or 'No'.
Problem:Set1: '{6, 15}', Set2: '{3, 5, 9, 16, 19}'. Is the element '19' in the intersection of Set1 and Set2 ?
Solution: | No |
instruction:
In this task, you will be given a short story. One sentence from the story is chosen. Consider the likely emotions and basic human drives of the participants in that sentence. Does any of these states of mind/feelings motivate the participant to do what happens in that sentence? You should write your answer in the form " A >Motivates> B". Try to use phrases and sentences from the story to compose your answer when possible. For the motivation sentence, you must choose a verb from :feel(s), want(s) or like(s). There will always be some motivation in the given story.
question:
story: The alarm on my phone stopped working a few days ago. It was very important that I wake up early so this was a problem. I didn't know what to do, so I asked my friends for an alarm clock. Luckily one of them offered to let me borrow theirs. I of course borrowed it and it worked great!
selected sentence: Luckily one of them offered to let me borrow theirs.
answer:
My friend want(s) to help me >Motivates> My friend lends me their clock
question:
story: Last Tuesday I went to play soccer with my friends. I'm not very good at soccer so my friends made me play goalie. I had a lot of fun being goalie because I could still use my hands. I did a very good job and my friends invited me back next time. I can't wait to play soccer next Tuesday.
selected sentence: I can't wait to play soccer next Tuesday.
answer:
I feel(s) success >Motivates> I want to play soccer again
question:
story: Kelly was happy the new phones just came out for Apple. She really wanted a pink one. Unfortunately the pink ones were all sold out. They told her she would have to wait a month for the pink one. She decided to get the gold instead.
selected sentence: Kelly was happy the new phones just came out for Apple.
answer:
| Kelly like(s) the phones >Motivates> Kelly is happy with the phones
|
You will be given a definition of a task first, then some input of the task.
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.
An increasing range of drugs have been reported to cause sAML, including the alkylating agents, the epipodophyllotoxins and the anthracyclines, both as single agents and in combination (Pedersen-Bjergaard & Philip, 1991; Pedersen-Bjergaard & Rowley, 1994).
Output: | non-adverse drug event |
Definition: 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.
Input: Cote d'Ivoire
Output: | Western Africa |
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:[28, 74, -45, 95]
Solution: | [28, 74, 95] |
Detailed Instructions: 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'.
Q: 11 Oct 2006 doesn't occur between Dec 01, 2016 and July 20, 2013
A: | True |
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
Ex Input:
The site collects your location information for advertising. Collection happens when you implicitly provide information in the mobile app.
Ex Output:
Advertising
Ex Input:
A named third party does track on the first party website or app your cookies or tracking elements for targeted advertising. You can configure your privacy with third-party user settings for the collection or sharing and use of your information.
Ex Output:
Advertising
Ex Input:
You can make a choice about your privacy not described by our label scheme the use of unspecified information by the site, which uses it for advertising.
Ex Output:
| Advertising
|
Q: Given a part of privacy policy text, classify it into one of these categories:
(1) First Party Collection/Use (how and why a service provider collects user information),
(2) Third Party Sharing/Collection (how user information may be shared with or collected by third parties),
(3) User Choice/Control (choices and control options available to users),
(4) User Access, Edit, & Deletion (if and how users may access, edit, or delete their information),
(5) Data Retention (how long user information is stored),
(6) Data Security (how user information is protected),
(7) Policy Change (if and how users will be informed about changes to the privacy policy).
A named third party does receive unspecified information about you for marketing purposes.
A: | Third Party Sharing/Collection |
Q: Given a sentence in Italian, generate a new Italian sentence by performing small changes on the sentence. Here, make sure that the changes are semantically related and syntactically similar to the input. And the generated sentence should have high commonsense plausibility, that is to have reasonable probability of it being true.
Se si desidera giocare sport allora si dovrebbe indossare una squadra.
A: | Se vuoi fare sport allora dovresti unirti a una squadra. |
Given the task definition and input, reply with output. In this task you are given a sentence with one coordinating conjunction (for, and, nor, but, or, yet, and so). You must judge whether the order of two coordinated clausal conjoints have been inverted or not. Inversion would result in the sentence sounding unnatural. Label the instances as "Original" or "Inversion" based on your judgment.
Each of its feet consisted of three razor sharp claws , and two stumpy horns protruded from its flat forehead .
| Inversion |
Given the task definition and input, reply with output. You will be given a context and a verb separated with a newline character, and you have to answer if the given verb can be anchored in time or not. We say a verb can be anchored in the real timeline if and only if a verb happened in the past, is happening now, or is guaranteed to happen in the future. The output should be "Yes" if the verb can be anchored in time and "No" otherwise.
Nobody wants the boy to be separated from his father, said Ninoska Perez of the Miami-based Cuban-American National Foundation. But that little boy, by surviving two days on an inner tube, has earned the right to (stay) here in freedom.
Verb: stay
| No |
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.
--------
Question: [{'first': 70, 'second': 4}, {'first': -62, 'second': 23}, {'first': -27, 'second': -99}, {'first': 93, 'second': -40}]
Answer: [{'first': -62, 'second': 23}, {'first': -27, 'second': -99}, {'first': 70, 'second': 4}, {'first': 93, 'second': -40}]
Question: [{'first': 59, 'second': 42}, {'first': 44, 'second': -78}, {'first': -68, 'second': -27}, {'first': 78, 'second': 21}, {'first': 30, 'second': -59}, {'first': -27, 'second': 43}, {'first': -57, 'second': -91}, {'first': -31, 'second': 53}, {'first': -68, 'second': 29}]
Answer: [{'first': -68, 'second': -27}, {'first': -68, 'second': 29}, {'first': -57, 'second': -91}, {'first': -31, 'second': 53}, {'first': -27, 'second': 43}, {'first': 30, 'second': -59}, {'first': 44, 'second': -78}, {'first': 59, 'second': 42}, {'first': 78, 'second': 21}]
Question: [{'first': 57, 'second': 43}, {'first': -85, 'second': 38}, {'first': -96, 'second': 64}, {'first': -100, 'second': -85}, {'first': -85, 'second': 13}, {'first': 35, 'second': 81}, {'first': 26, 'second': 17}, {'first': 58, 'second': -32}, {'first': 40, 'second': 18}, {'first': -1, 'second': -41}]
Answer: | [{'first': -100, 'second': -85}, {'first': -96, 'second': 64}, {'first': -85, 'second': 13}, {'first': -85, 'second': 38}, {'first': -1, 'second': -41}, {'first': 26, 'second': 17}, {'first': 35, 'second': 81}, {'first': 40, 'second': 18}, {'first': 57, 'second': 43}, {'first': 58, 'second': -32}]
|
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...'.
Input: Consider Input: We all can hear the jokes.
Output: It's like he's at an open mic.
Input: Consider Input: I was thinking about bludgeoning each and every one of you with a mace, you know it has the spikes? It's like a club with spikes. You just hit someone 'til they're a pulp.
Output: You're a terrible girl. Put your clothes back on and get out of my classroom.
Input: Consider Input: Downy's famous Seacrest Bank was just recently bought by a conglomerate. Do you work for that conglomerate?
| Output: I actually sold to the conglomerate. I did pretty good by selling off to Wachovia.
|
Q: We would like you to classify each of the following sets of argument pairs (discussing Gay Marriage) into either SIMILAR or NOT SIMILAR. A pair of arguments is considered SIMILAR if the arguments are about the same FACET (making the same argument), and is considered NOT SIMILAR if they do not have the same FACET. A FACET is a low level issue that often reoccurs in many arguments in support of the author's stance or in attacking the other author's position.
Sent1: If a State seeks to define marriage as a union between a Man and a Woman, then so be it, provided there be an avenue for civil union.
Sent2: The Bible distinctively states that Marriage is the union of a man and a woman, and the example given is of Adam and Eve being married and joined before God, by God.
A: | Not similar |
You will be given a definition of a task first, then some input of the task.
You will be asked how to do a certain task. You should describe a physical process that does not lead to the asked outcome, yet it is closely related to it (i.e., it should use the words that are provided in the input). The physical process can be moving something, arranging something in a certain way, mixing things, shaking them, etc. To make sure that the generated process does not lead to the asked outcome, you can introduce objects or events unrelated to the context of the question e.g. 'cleaning the keyboard by making an elephant sit on them'; or you can create contradictory statements e.g. 'drying wet keyboards with running water'. In your responses, avoid typos and misspellings.
How do you paint a ceiling?
Output: | Choose your paint and use a low nap roller for rough ceilings, and a 1/2-inch or 3/4-inch nap for textured ceilings. An extension pole helps you reach the ceiling without a ladder. Dip the roller in paint and roll slowly so the paint won't spatter. |
Given an input word generate a word that rhymes exactly with the input word. If not rhyme is found return "No"
Let me give you an example: difficult
The answer to this example can be: No
Here is why: The word difficult has no natural English rhymes and so the model outputs No as specified in the instructions.
OK. solve this:
raise
Answer: | k's |
Detailed Instructions: You will be given a sentence containing a pronoun/person name and an emotion. From these implicit parameters, the main goal is to find the gender of the person (male / female).
See one example below:
Problem: Alonzo feels angry.
Solution: male
Explanation: The gender of the person is correct and detected mainly based on the name Alonzo.
Problem: The conversation with Nancy was grim.
Solution: | female |
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".
Q: Premise: به همین دلیل مطمئن خواهند شد که او را متوقف کنند. <sep> Hypothesis: نیازی به متوقف کردن او نیست.
A: Contradiction
****
Q: Premise: آیا گربه پیر در هنگام عصبانیت عصبانی نبود؟ <sep> Hypothesis: گربه پیر ماههاست که من را گول می زند.
A: Neutral
****
Q: Premise: خانم گلمحمدی (مدیریت خانه_موزه دانته): <sep> Hypothesis: نام مدیریت خانه - موزه دانته، خانم گلمحمدی است.
A: | Entailment
****
|
We would like you to classify each of the following sets of argument pairs (discussing Death Penalty) into either SIMILAR or NOT SIMILAR. A pair of arguments is considered SIMILAR if the arguments are about the same FACET (making the same argument), and is considered NOT SIMILAR if they do not have the same FACET. A FACET is a low level issue that often reoccurs in many arguments in support of the author's stance or in attacking the other author's position.
Q: Sent1: therefore the death penalty should not be used, simply because it kills innocent people.
Sent2: I would support the death penalty IF there was a way to ensure that it would not put innocent people to death.
A: Similar
****
Q: Sent1: You need to find lots more for the death penalty to save more lives than innocents that have been executed by it.
Sent2: There has been so much cases of people who have been executed, only to be found innocent after their death.
A: Not similar
****
Q: Sent1: The death penalty can be viewed as legalized murder, which is ironic considering that such a punishment is only imposed because of the cruelty of the crime - murder.
Sent2: I think the death penalty is an archaic and obsolete form of punishment, even for the crime of murder.
A: | Not similar
****
|
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
Example input: The site collects your IP address or device IDs for advertising. Collection happens when you implicitly provide information on the website.
Example output: Advertising
Example explanation: The given policy text states that it uses user information for 'advertising' explicitly
Q: The site collects your contact information for a purpose outside of our label scheme. Collection happens when you explicitly provide information by some means outside of our label scheme.
A: | Other |
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 |
Context Word: Chilies. | Hugh preferred to season his pho with chilies instead sprouts because the _ are very spicy. |
Detailed Instructions: 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.
Problem:Serum creatine kinase activity decreased significantly in the methotrexate group .
Solution: | methotrexate |
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.
--------
Question: High high high
Answer: it be fun to climb high high high so dont you try try try
Question: Guinea Pig Trouble
Answer: giunea pig trouble guinea pig trouble guinea pig take a bubble bath guinea pig trouble guinea pig trouble guinea pig dig through the trash guinea pig trouble guinea pig trouble guinea pig fly airplane guinea pig trouble guinea pig trouble stop these guinea pig before they crash
Question: My Knight
Answer: | you have no idea of the pain in my life no idea of the thing that i suffer i be constantly pray that i would be rescue by a knight in shin armor the night i meet you the pain and suffering subside i think that you be my knight five month and ten thousand tear later i finally realize you ca n't be my knight a knight would never buff his armor with his maiden's tear a knight would never be as charm a you be a comfort or loving a you you have your own way of loving and comfort not precisely my way but i love you all the same as much a you've put me through i still stand by your side you're just my knight
|
In this task you are given a passage in Bulgarian as the input content. You are expected to generate a suitable title for the passage which accurately summarizes the contents of the passage. The input is provided in the form of a long passage comprising of multiple sentences. The output should be restricted to a maximum of 20 words which describe the passage and its contents. The output can include words from the passage.
--------
Question: Content:Българи създадоха детски виртуален свят за игра и обучение Играта е вече факт и всяко дете и родител може да я открие в Google Play и да се потопи в приказния свят на Waphoo: Играта - Детски Свят. *Забележник е тема за размисъл от деня Предложете тема на Този имейл адрес е защитен от спам ботове. Трябва да имате пусната JavaScript поддръжка, за да го видите.
Answer: Българи създадоха детски виртуален свят за игра и обучение
Question: Content:Гранада се изправя срещу Барселона в мач от 29-тия кръг на Примера дивисион. Срещата на стадион Нуево Лос Карменес започва в 21:45 часа. Барса ще бъде без талисмана си Лионел Меси гостуването на 19-тия в шампионата. Аржентинецът е наказан, след като получи пети жълт картон преди паузата за националните отбори. Лео получи официалното предупреждение в последните минути на срещата с Валенсия (4:2), но ще се завърне в игра за домакинството на третия Севиля в сряда. Почивка за мача довечера ще получи и Жерар Пике. Той е важен играч и напоследък му се насъбраха много двубои, заяви треньорът на каталунците Луис Енрике. Аут за срещата са още Алейш Видал и Арда Туран, които се възстановяват от контузии. В последния мач между двата отбора Барселона победи измъчено с 1:0 на Ноу Камп след гол на Рафиня Алкантара. Чака ни труден мач. Борихме се много и в първия двубой, а сега те се нуждаят още повече от точките. Ние обаче също се нуждаем от точките, каза още Енрике. Мачът тази вечер ще бъде само първият от общо 9-те, които трябва да изиграе Барселона през април. В това число два четвъртфинала с Ювентус в Шампионската лига, както и голямото дерби с Реал (Мадрид). Календарът е луд, но ние дадохме всичко, за да играем в четвъртфиналите на Шампионската лига, обясни треньорът на Барса. Гранада е на предпоследното място в първенството на цели 7 точки от 17-тия Леганес. Така пред тима има 10 срещи, обявени от ръководството като финали. Знаем, че Барса има страхотни играчи и без Меси. Ние обаче също няма да можем да използваме важни футболисти. Трябва да бъдем концентрирани от първата минута, да дадем всичко от себе си и да се опитаме да спечелим, заяви треньорът на Гранада Лукас Алкарас. Можем да бием Барса, вече сме го правили в предишните години, така че защо да не го сторим и сега?, добави той. Домакините ще бъдат без полузащитника Мехди Карнела-Гонсалес, който се контузи по време на лагера на националния отбор на Мароко, докато колумбийският нападател Адриан се възстанови от мускулен проблем.
Answer: Барселона ще е различен отбор срещу Гранада
Question: Content:Тереза Мей потвърди непреклонните ангажименти на правителството към Гибралтар Infostock.bg - 03 Април 10:19 Четири дни след като официално започна процедурата по Брекзит, британският министър-председател Тереза Мей трябваше да потвърди непреклонните ангажименти на правителството към Гибралтар, след като високопоставени членове на нейната Консервативна партия заявиха, че страната би воювала с Испания по същия начин, по който е воювала срещу Аржентина заради Фолклендските острови, предаде The Independent. още» var addthis_config = { services_expanded: 'twitter, facebook, myspace, email, bloggy, blogger, favorites, flaker, google, googlebuzz, googlereader, hotmail, yahoobkm, buzz, yahoomail ', ui_language: 'bg', ui_cobrand: Dir.bg, data_track_linkback: true } | Сподели
Answer: | Тереза Мей потвърди непреклонните ангажименти на правителството към Гибралтар
|
Detailed Instructions: 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: matter vibrating can cause our ears to detect it.
A: | What can our ears detect? |
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: Àtàrí ìbá ṣe ìkòkò ká gbé e fún ọ̀tá yẹ̀wò; a ní ó ti fọ́ yányán.
A: If one's head was a pot and one gave it to an enemy to inspect, he would say it was irretrievably broken.
****
Q: Wọ́n sọ fún wa pé ó ń f’ebi panú fún wa, ó sì ń ṣiṣẹ́ láìkáàrẹ̀ fún wa, ọkàn mí sì gbọgbẹ́ fún-un.
A: We are told that he's starving for us, and he's working tirelessly for us, and my heart just broke for him.
****
Q: Àwọn ará inú ìjọ tó wà lágbègbè náà ló ń tójú àwọn ìdílé yìí.
A: | These families are being cared for by their local congregation.
****
|
In mathematics, the absolute value of a number is the non-negative value of that number, without regarding its sign. For example, the absolute value of -2 is 2, and the absolute value of 5 is 5. In this task you will be given a list of numbers and you need to return the element with highest absolute value. If a negative and positive element have the same absolute value you should return the positive element. The absolute value for negative numbers can be found by multiplying them by -1. After finding the element with the maximum absolute value you should return the value of that element before you applied the absolute value.
One example: [-11, 2, 3]
Solution is here: -11
Explanation: The element with the largest absolute value is -11, since 11 > 3 > 2. This is a good example.
Now, solve this: [ 67.37 -33.152]
Solution: | 67.37 |
Given a hotel review and the corresponding polarity of review (i.e., Negative or Positive) identify if the polarity is correct. Write 'true' if it's correct, 'false' otherwise.
Input: Consider Input: Review: I recently had the displeasure of staying at the Conrad Chicago. Although the hotel came with some recommendations from various online websites, my experience was anything but pleasent. First of all, they tell you that check in time is at 3pm. Well I arrived at the hotel at 3:30pm and checked in only to discover that my room was not ready. After waiting for nearly an hour for the room to be ready, I decided to go settle in. The carpets in the room smelled old and musty. Additionally, the bathroom was not in the the cleanest of states and there were numerous noticeable chips, scratches, and dents in the furniture. Although the bed was comfortable, I just couldn't get over the musty smell coming from the carpet. It was very difficult to get the air conditioning to set a comfortable temperature and I did not have a very good nights sleep. All in all, my experience was not the worst I've ever had, but far from anything worth writing home about.
Polarity: Negative
Output: true
Input: Consider Input: Review: I just came back from this awesome, terrific hotel last week, and I have to say-- I loved it! My wife and I were there for a week due to a business meeting, and right when I stepped into the hotel, I knew that this business vacation will be well spent. The customer service was very great, and an employee even guided us toward our room! We were introduced to a fantastically lit room with 2 beds, a flat screen TV, and even free internet access. My wife loved it, and kept on using the free shampoo and body bath soap. When I headed down to the lobby for my conference, I got lost, and asked one of the people who worked there where my meeting might be held. He leaded me to the door, and I was very impressed. There is a fitness center which I went everyday, and this great restaurant called C-House situated nicely next to the hotel lobby, where I had a nice steak and my wife a salad. All in all, I thought that the trip was really worth it, and my stay was very welcoming at the Affinia Chicago. I highly recommend that whenever you visit Chicago you should stay there, you will not regret it.
Polarity: Negative
Output: false
Input: Consider Input: Review: Our first visit to Chicago and I really cannot wait to go back. The hotel was in a great location and every member of staff we had contact with were exceptionally helpful. Particular mention should go to the door staff who were amazingly helpful. The room was clean, quiet and spacious, if only every hotel were like this.
Polarity: Positive
| Output: true
|
In this task, you will be shown a prompt from a judicial decision and multiple holding statements derived from citations following text in a legal decision. Holdings represent the governing legal rule when the law is applied to a particular set of facts. There are five answer choices for each citing text. The correct answer is the holding statement that corresponds to the citing text. The four incorrect answers are other holding statements. You should find the correct option. There is a <HOLDING> token in the position of the citing text prompt where the holding statement was extracted.
Input: Consider Input: purchases of EZ Seed.” (Weir Decl., Doc. #80). This model rests on the assumption that plaintiffs received no benefit whatsoever from purchasing EZ Seed. See, e.g., Brazil v. Dole Packaged Foods, LLC, 2014 WL 2466559, at *15 (noting a full refund model is based on the assumption that consumers received no benefit from the product). This model matches plaintiffs’ first theory of liability—that EZ Seed does not grow grass, and is thus valueless. If plaintiffs prove EZ Seed suffered from a defect that rendered the product completely ineffective, plaintiffs would be entitled to all of their money back. The full compensatory damages model satisfies Comcast because it measures damages properly if EZ Seed is valueless. See, e.g., Allen v. Hyland’s Inc., 300 F.R.D. 643, 671 (C.D.Cal.2014) (<HOLDING>); Ortega v. Natural Balance, Inc., 300 F.R.D.
Holding statements: (A) holding that defensive theory must be submitted to jury when theory is raised by evidence from any source (B) holding summary judgment appropriate when the facts in evidence supported another plausible theory not the plaintiffs theory of the case (C) holding that plaintiffs are ordinarily entitled to instructions consonant with their theory of the case where evidentiary support for the theory exists (D) holding full restitution theory satisfies comcast when plaintiffs theory of liability is that the products are entirely ineffective (E) holding that the plaintiffs misconceived legal theory did not preclude it from obtaining relief under another theory
Output: (D)
Input: Consider Input: an alcohol concentration of .22. The Commissioner of Public Safety revoked Gergen’s driving privileges, and the district court affirmed. ISSUES 1. Where a district court determines that a person arrested for driving while intoxicated did not make a good faith effort to contact an attorney, is the driver’s right to counsel vindicated even though the telephone provided by the arresting officer is blocked from dialing 800-numbers? 2. Did the police officer violate Minn.Stat. § 481.10? ANALYSIS I. A person arrested for driving while intoxicated (DWI) has a limited right to consult an attorney before deciding whether to submit to chemical testing, provided the consultation does not unreasonably delay the testing. Friedman v. Commissioner of Pub. Safety, 473 N.W.2d 828, 835 (Minn.1991) (<HOLDING>); see Minn. Const. art. I, § 6 (“In all
Holding statements: (A) holding that there is no constitutional right to refuse chemical testing under the implied consent law (B) holding that the implied consent warning given to the defendant was not misleading or coercive because the validity of the implied consent notice is not contingent upon other administrative aspects of ocga 405671 (C) holding that officers not required to give implied consent warnings where statute did not apply (D) recognizing that a criminal defendants right to counsel is the right to the effective assistance of counsel (E) holding that right to counsel under implied consent statute is limited because of the evanescent nature of alcohol
Output: (E)
Input: Consider Input: hospitals. 13 . Even assuming for the moment that decedent was in state custody at the time of his death, the complaint’s failure to allege private violence — a failure about which we will have more to say subsequently — would render the special relationship exception inapposite. In that case, the questions simply would be those posed by the complaint's first claim for relief, namely, whether Defendants exhibited deliberate indifference to decedent’s serious medi cal needs and whether that indifference caused a constitutional deprivation. See, e.g., DeShaney, 489 U.S. at 198-199 n. 5, 109 S.Ct. 998 (suggesting deliberate indifference is necessary to establish a substantive due process violation in a custodial setting); Sawyer v. County of Creek, 908 F.2d 663, 666 (10th Cir. 1990) (<HOLDING>), overruled on other grounds by Leatherman v.
Holding statements: (A) holding that a sentence of incarceration would constitute deliberate indifference to defendants medical needs (B) holding that in order to state a violation of the eighth amendment an inmate must demonstrate that prison officials showed deliberate indifference to serious medical needs (C) recognizing a state doctor may violate a detainees right to substantive due process by exhibiting deliberate indifference to his serious medical needs (D) holding that the eighth amendment protects prisoners only from deliberate indifference to their serious medical needs (E) holding that pretrial detainees possess a constitutional right against deliberate indifference to their serious medical needs because the due process rights of a pretrial detainee are at least as great as the eighth amendment protections available to a convicted prisoner
| Output: (C)
|
You will be given a sentence containing a pronoun/person name and an emotion. From these implicit parameters, the main goal is to find the gender of the person (male / female).
Roger feels excited.
male
My father feels glad.
male
Nichelle found herself in a displeasing situation.
| female
|
You are supposed to identify the category of a high-school level math question. There are five possible categories (1) algebra (2) arithmetic (3) measurement (4) numbers, and (5) probability. Use the following guidelines: (1) 'algebra' questions will typically contain letter variables and will ask you to find the value of a variable (2) 'arithmetic' questions will ask the sum, difference, multiplication, division, power, square root or value of expressions involving brackets (3) 'measurement' questions are questions that ask to convert a quantity from some unit to some other unit (4) 'numbers' questions will be about bases, remainders, divisors, GCD, LCM etc. (5) 'probability' questions will ask about the probability of the occurrence of something. A question must belong to only one category.
Three letters picked without replacement from yswwkssksarw. What is prob of picking 1 r, 1 w, and 1 a? | probability |
TASK DEFINITION: Based on the given context, craft a common-sense question, especially those that are LONG, INTERESTING, and COMPLEX. The goal is to write questions that are easy for humans and hard for AI machines! To create such questions, here are some suggestions: A. What may (or may not) be the plausible reason for an event? B. What may (or may not) happen before (or after, or during) an event? C. What may (or may not) be a plausible fact about someone (or something)? D. What may (or may not) happen if an event happens (or did not happen)? You can also create other types of questions. DO NOT make your question answerable without looking at the context, or question of which the correct answer can be directly extracted from the context. DO NOT ask a question that requires very specialized knowledge that is not common sense. DO NOT ask too simple or too short questions. Your question must be related to the context and answerable with common sense. Try to add more variations and complexity to the questions.
PROBLEM: Context: This is the ASUS P5Q Deluxe Intel P45 motherboard that features power and performance at a very attractive price point . The P45 chipset comes home with a bang . Tweak Town have given the ASUS P5Q Deluxe motherboard a hands - on review over 15 pages and in their final thoughts they said " ASUS has always put out impressive boards , and the ASUS P5Q Deluxe is without a doubt one of ASUS ' most impressive boards to come from the Taiwanese company . ASUS always puts a huge amount of time and effort into their boards and it 's with great pride they only put out great boards .
SOLUTION: What did they think of the motherboard ?
PROBLEM: Context: It was n't a connecting flight so we need to stay in a hotel for a night . The hotel was just 2 minutes away from the airport . During our visit it was like only 3 days after the bombing at the front of a camp in Zamboanga . Bombing was the present enemy of the local government of Zamboanga during our visit . Next day it 's Sulu day .
SOLUTION: Why did they have to stay ?
PROBLEM: Context: I wanted to take a moment to comment on the service and support provided by Hear Technologies for my Hear System . After two solid years of daily operation an issue developed with the PSU module in the Hear Hub . Max shipped a new supply next day with return shipping for the old supply , with clear directions how to swap out the supply . The job took ten miutes .
SOLUTION: | Why did it only take ten minutes to install the new power supply ?
|
Detailed Instructions: 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 |
Problem:Context Word: beans.
Solution: | Hammond loved the beans at the restaurant so he got a second helping and then took some home. The beans were better when they were fresh at the _ . |
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.
Input: Consider Input: I_TURN_RIGHT I_TURN_RIGHT I_WALK I_TURN_LEFT I_TURN_LEFT I_TURN_LEFT I_TURN_LEFT I_TURN_LEFT I_TURN_LEFT I_TURN_LEFT I_TURN_LEFT I_TURN_LEFT I_TURN_LEFT I_TURN_LEFT I_TURN_LEFT
Output: turn around left thrice after walk opposite right
Input: Consider Input: I_TURN_RIGHT I_RUN I_TURN_RIGHT I_RUN I_TURN_RIGHT I_RUN I_TURN_RIGHT I_RUN I_TURN_RIGHT I_TURN_RIGHT I_WALK
Output: walk opposite right after run around right
Input: Consider Input: I_TURN_LEFT I_WALK I_TURN_LEFT I_WALK I_TURN_LEFT I_WALK I_TURN_LEFT I_WALK I_TURN_LEFT I_LOOK
| Output: look left after walk around left
|
You will be given a definition of a task first, then some input of the task.
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.
Context: 'You came here to work? I’ve been taking it easy. ' 'LOL, I mean setting up the tent and clearing the area for a campfire. I'll take a break now.' 'Sounds good. I suggest you make a fire and relax. '
Utterance: 'Just need a little more wood. Then it will be great to cook my dinner on.'
Output: | Yes |
This task is to translate a news commentary given in Italian language into Zhuang language. Translate the input statement into the output language while preserving the numberical values, special characters and proper nouns and context of the commentary done.
Ex Input:
È ovvio che i paesi in via di sviluppo non dovrebbero semplicemente imitare i sistemi fiscali delle economie sviluppate. Dopo tutto, anche tra i paesi in via di sviluppo, non esiste un sistema uniforme.
Ex Output:
当然,发展中国家不应该照搬发达国家的税收制度。毕竟,放之四海而皆准的方法是不存在的,即使是放之发展中国家而皆准的方法也是不存在的。税收政策必须随经济环境的改变而改变。
Ex Input:
La "via della seta" terrestre, ad esempio, ridurrà la dipendenza del paese dai corridoi di traffico marittimo, che possono bloccarsi o interrompersi, soprattutto in prossimità dello Stretto di Malacca. Più in generale, gli investimenti cinesi allenteranno i vincoli imposti ai paesi lungo la via della seta, dovuti in parte a una crescita lenta e una carenza di investimenti nelle economie avanzate.
Ex Output:
答案几乎斩钉截铁:是的。比如,陆上“丝绸之路”将减少中国对海路的依赖——海路容易遭到阻碍和干扰,特别是在马六甲海峡。从更大范围来说,中国的投资将环节丝绸之路上的经济体因为发达经济体增长放缓和投资不足导致的困难。最终,该地区有活力的增长经济体也将给中国的经济和地位带来好处。
Ex Input:
Per un paese normale, il sistema nazionale delle imposte sul reddito costituisce un imponente stabilizzatore automatico tra le diverse regioni tutte le regioni. Negli Stati Uniti, quando sale il prezzo del petrolio, aumentano i redditi in Texas e nel Montana, il che significa che questi stati versano un contributo maggiore di gettito fiscale per il bilancio federale, aiutando in tal modo il resto del paese.
Ex Output:
| 在平常国家,国民所得税嫡系便是一个巨型地区级自动稳定器。在美国,当油价上涨时,德克萨斯州和蒙大拿州的收入会上升,这意味着该两州将向联邦预算贡献更多的税收收入,从而帮助美国的其余地区走出困境。当然,欧洲不存在大型中央税收当局,因此这一重要自动稳定器也就不存在了。
|
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.
Example: sentence: Jim signaled the barman and gestured toward his empty glass . aspect: Number
Example solution: Jim and Bill signaled the barmen and gestured toward their empty glasses .
Example explanation: You have to add people names and change the pronouns if you want to change the number aspect of the sentence.
Problem: sentence: Frank was upset with Tom because the toaster he had bought from him didn't work . aspect: Adverb
| Solution: Frank was quite upset with Tom because the toaster he had bought from him didn't work . |
Instructions: 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.
Input: table : kitchen. boxes : ?
Output: | attic |
You will be given a definition of a task first, then some input of the task.
In this task you will be given a list of integers. You should find the maximum absolute difference between 2 integers in the list. The absolute difference is the absolute value of one integer subtracted by another. The output should be a single integer which is the largest possible absolute distance.
[-60, -53, 79, -85, 74, -68, 100, 38, 45, -43]
Output: | 185 |
In this task, you will be given a short story. One sentence from the story is chosen. Consider the likely emotions and basic human drives of the participants in that sentence. Does any of these states of mind/feelings motivate the participant to do what happens in that sentence? You should write your answer in the form " A >Motivates> B". Try to use phrases and sentences from the story to compose your answer when possible. For the motivation sentence, you must choose a verb from :feel(s), want(s) or like(s). There will always be some motivation in the given story.
[Q]: story: One day jim found a phone number in a book. It was written in the cover. He called the number hoping to speak to Someone. The phone rang and rang. He hung up because nobody answered the phone.
selected sentence: He called the number hoping to speak to Someone.
[A]: Jim want(s) to call >Motivates> Jim calls
[Q]: story: He said it was okay. She thought he might be wrong, but did it anyway. He was wrong, so she failed. Her score went down and she lost money. He just laughed about it.
selected sentence: He just laughed about it.
[A]: He feel(s) amused >Motivates> He laughed
[Q]: story: Amy and her rottweiler Spot were at the park. Amy was on her roller blades as she held Spot's leash. Spot began to pick up speed and jog. Spot pulled Amy into the grass pulling her to the ground. Amy decided not to walk Spot on roller blades again.
selected sentence: Spot began to pick up speed and jog.
[A]: | Spot like(s) going fast >Motivates> Spot picks up speed
|
Detailed 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.
Problem:The ananas are still not ripe enough to sell,
Solution: | ananas |
Find the movie name from the given conversation. If the movie name is not found give output as "unknown"
Example: ASSISTANT: What kind of movies are you drawn to? , USER: I am drawn to romances. , ASSISTANT: Have you seen Fifty Shade of Grey?
Example solution: Fifty Shade of Grey
Example explanation: Based on the given conversation the "ASSISTANT" asks user for the movie along with the 'Fifty Shade of Grey' title provided into it. We can then classify this title and store it inside the output
Problem: ASSISTANT: What kinds of movies do you like? , USER: I like many different types types of movies. , ASSISTANT: What kinds of movies do you like specifically? , USER: I like drama, comedy, fantasy, action, superhero, foreign films. , ASSISTANT: Why do you like Dramas? , USER: I like emotionally moving films. , ASSISTANT: Is there a reason you like those kinds of films? , USER: I just think they're interesting, and they give you something to think about, and you can sometimes relate them to your own life. , ASSISTANT: Can you name a drama movie you like? , USER: I liked the film Stealing Beauty.
| Solution: Stealing Beauty |
Detailed Instructions: 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'.
Problem:ACV verkiest loonsverhoging boven winstparticipatie
Solution: | None |
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?"
Input: Consider Input: Fact: TRH stimulates prolactin release.
Output: TRH stimulates what?
Input: Consider Input: Fact: Ancestors of hagfish are thought to have unpaired, median fins.
Output: Ancestors of hagfish are thought to have what fins?
Input: Consider Input: Fact: Protection for the eyes is mandatory in the laboratory.
| Output: What is often mandatory in the lab?
|
You will be given a definition of a task first, then some input of the task.
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: influenza
Entity 2: seven electron
Output: | no |
Q: 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.
DISCUSSION: Patients with 5-FU-induced ectropion experience tender, red, scaled lids, making contact lens wear difficult.
A: | adverse drug event |
TASK DEFINITION: Classify the given comment into 'Hope Speech' or 'Not Hope Speech'. A hope speech is defined as content that is encouraging, positive or supportive contents and talks about equality, diversity or inclusion
PROBLEM: My mom’s an engineer. As a girl
SOLUTION: Hope Speech
PROBLEM: All Lives do matter and we can do a much better job of displaying this and encouraging one another to know our worth. nLet us continue to fight to end human trafficking and support every survivor. nTo support my fundraising efforts with the Araminta Race Against Traffick
SOLUTION: Not Hope Speech
PROBLEM: Nobody has supported the LGBT community like MADONNA even in the darkest hours she has always been an advocate a fighter for human rights
SOLUTION: | Hope Speech
|
instruction:
In this task, you need to provide the parts-of-speech tag of a word present in a sentence specified within curly braces ( '{{ ... }}' ). The parts-of-speech tags are fine labels that represent a category of words with similar grammatical properties. The list of part-of-speech tags i.e tagset of this corpus is : '$': Dollar Sign, "''": Single Quotes, ',': Comma Symbol, '-LRB-': Left Parantheses, '-RRB-': Right Parantheses, '.': Period, ':': Colon, 'ADD': Email Address, 'AFX': Affix, 'CC': Coordinating conjunction, 'CD': Cardinal Number, 'DT': Determiner, 'EX': Existential there, 'FW': Foreign Word, 'GW': Go with, 'HYPH': Hyphen symbol, 'IN': Preposition or a subordinating conjunction, 'JJ': Adjective, 'JJR': A comparative Adjective, 'JJS': A Superlative Adjective, 'LS': List item Marker, 'MD': Modal, 'NFP': Superfluous punctuation, 'NN': Singular Noun, 'NNP': Singular Proper Noun, 'NNPS': Prural Proper Noun, 'NNS': Prural Noun, 'PDT': Pre-determiner, 'POS': Possessive Ending, 'PRP': Personal pronoun, 'PRP$': Possessive Pronoun, 'RB': Adverb, 'RBR': Comparative Adverb, 'RBS': Superlative Adverb, 'RP': Particle, 'SYM': Symbol, 'TO': To , 'UH': Interjection, 'VB': Base form Verb, 'VBD': Verb in Past tense, 'VBG': Verb in present participle, 'VBN': Verb in past participle, 'VBP': Verb in non-3rd person singular present, 'VBZ': Verb in 3rd person singular present, 'WDT': Wh-determiner, 'WP': Wh-pronoun, 'WP$' Possessive Wh-pronoun, 'WRB': Wh-adverb, 'XX': Unknown, '``': Double backticks.
question:
Sentence: Despite Sept. 11 , the United States still supports the Kashmir groups that {{ back }} jihad as part of the price Washington is paying to keep Pervez Musharraf happy .
Word: back
answer:
VBP
question:
Sentence: All Evaluations for Associates and Analysts {{ must }} be completed using this form .
Word: must
answer:
MD
question:
Sentence: Funny {{ how }} some things are squirelled away by well - meaning prosecutors ...
Word: how
answer:
| WRB
|
Given the task definition and input, reply with output. This task is to translate a news commentary given in Italian language into Zhuang language. Translate the input statement into the output language while preserving the numberical values, special characters and proper nouns and context of the commentary done.
Detto ciò, l’opposizione degli Usa all’AIIB è più difficile da comprendere, dato che la politica sulle infrastrutture è molto meno soggetta all’influenza di ideologie e interessi speciali rispetto ad altre aree di policymaking,come quelle dominate dagli Stati Uniti presso la Banca Mondiale. Inoltre, il bisogno di tutele ambientali e sociali negli investimenti sulle infrastrutture probabilmente è affrontato in maniera più efficiente nell’ambito di un quadro multilaterale.
| 即便如此,由于基础设施政策相对于其他政策领域(正如美国在世界银行所主导的那些)更难受制于意识形态和特殊利益的影响,美国对亚投行的反对就显得更加难人寻味。此外,对基础设施投资的环境和社会影响所急需的保障问题也将在多边框架下得到有效应对。 |
In this task, you will be given sentences in which your task is to recognize the name of the drug or medicine. Drugs are substances that change a person's mental or physical state. They can affect how your brain works, how you feel and behave, your understanding, and your senses. Although there might be several correct answers, you need to write one of them.
--------
Question: Administration of sumatriptan in subarachnoid haemorrhage (SAH) patients, misdiagnosed as migraine patients, may induce symptomatic cerebral vasospasm with potentially dangerous consequences.
Answer: sumatriptan
Question: We report the occurrence of spontaneous intracranial bleeding in an human immunodeficiency virus (HIV)-infected adolescent with hemophilia A who was receiving amprenavir (APV).
Answer: amprenavir
Question: Delayed bowel injury is an infrequently observed complication of chromic phosphate administration.
Answer: | chromic phosphate
|
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.
A 35-year-old female with borderline lepromatous (BL) leprosy who suffered from dapsone-induced erythroderma is reported. | adverse drug event |
Detailed Instructions: In this task, you are given music product reviews in French language. The goal is to classify the review as "POS" if the overall sentiment of the review is positive or as "NEG" if the overall sentiment of the review is negative.
Problem:triste album . 5° Album 197O Réf 33T (Capitol SMAS 63O us) 1O Titres VALENTI. DUNCAN. ELMORE. CIPOLLINA. FREIBERG. + HOPKINS. NAFTALIN. REYES. + une section cuivre. Triste album . Chacun interprête son titre en solo; un titre pour Cippolina "de la guitare électrique" ; morceau musical un titre pour Freiberg un morceau de country cowboy qu'il chante "il a eu le droit de chanter son titre". un titre pour Hopkins; du piano; morceau musical aussi. Le reste 7 titres pour Jesse oris farrow ? c'est Dino Valenti. Il chante. triste, sans saveur. Ecoutez la chanson "All in my mind" vocalement nulle.
Solution: | NEG |
You are given a question-answer pair. Answer with their type. Pay attention that there may be more than one correct type, but you only have to choose one. In your responses, use of the following types:
(1) Humans: Any individual or group of humans, including fictional ones (e.g., a group or organization of persons , an individual, title of a person, description of a person);
(2) Event: Any phenomenon natural or artificial (e.g., named hurricanes, Battles, Wars, Sports events, Terrorist attacks);
(3) Entity: A thing with distinct and independent existence (Animals, Organs of body, Colors, Inventions, books and other creative pieces, Currency name, Diseases, and medicine, Food, Musical instrument, Languages, Plants, Products, Religions, Sports, Elements and substances, Symbols and signs, Techniques and methods, Equivalent terms, Vehicles);
(4) Facility: Something built for a particular purpose (Buildings, Airports, Highways, Bridges);
(5) Location: A place (Cities, Countries, Mountains, States);
(6) Law: Named documents made into laws (e.g., “the first amendment”, "civil rights act");
(7) Organization: an organized body of people with a particular purpose (Company names, e.g. Google, Cults or terrorist groups, e.g. Al Qaeda);
(8) Date: Absolute or relative dates or periods, bigger than 1 day (Years, Range, e.g. from Monday to Tuesday, or during the 20th century, Approximate time);
(9) Time: Any temporal range/unit that is shorter than a day (e.g., 2 o'clock, 1 pm);
(10) Money: Monetary values, including unit (e.g., "$26", "914$");
(11) Quantity: postcodes or other codes, the number of sth, Ranks, fractions, speed, temperature, size, area, and volume, weight (e.g., "26 degree" "17 inch");
(12) Description: description and abstract concepts (e.g., the definition of something, the manner of an action, reasons);
(13) Abbreviation: expression abbreviated (e.g., AMT = abbreviation of Amazon Mechanical Turk). Don't generate any word that is not mentioned in the list of types (Humans, Event, Entity, Facility, Location, Law, Organization, Date, Time, Money, Quantity, Description, Abbreviation). If you can not associate any of the given types with the provided question and answer pair, respond "Other".
Question: When it comes to plans and outcomes, what do development anthropologists look at between them? (Answer: gap). | Entity. |
Q: Process: - You speak into the receiver on your phone - Sound waves move parts inside the receiver - Movement causes the magnet inside to produce eletricity - Electricity is transferred through a wire or cable - A membrane in the other persons phone is vibrated by the magnet in their telephone - Sound is produced - They hear you. Perturbation hypothesis: suppose The summer coming to an end happens, how will it affect sound quality will be improved. Does the supposed perturbation have an effect (direct or indirect) on the process?
A: no
Q: Process: - Acid rain makes waters acidic - Causes them to absorb aluminum from soil - The water runs off from the soil into lakes, streams, etc - Fish and their eggs die - Frogs and plants die - Insects and other wildlife die - The ecosystem is out of balance, causing further problems - Perturbation hypothesis: suppose more wildlife dies happens, how will it affect there is less damange by acid rain. Does the supposed perturbation have an effect (direct or indirect) on the process?
A: yes
Q: Process: - Magma comes up to the surface of the earth - The magma cools - Particles inside the magma move closer together - Crystals are formed - The crystals contain minerals. Perturbation hypothesis: suppose crystals are widely available happens, how will it affect There is a decrease in mineral formation. Does the supposed perturbation have an effect (direct or indirect) on the process?
A: yes
Q: Process: - Get an ice cube tray - Fill the tray with cool water - Place the tray in the freezer - Leave the tray in the freezer for a few hours - Take they tray out of the freezer - Pop the ice cubes out of tray. Perturbation hypothesis: suppose I cannot breath well happens, how will it affect more trays are placed in the freezer. Does the supposed perturbation have an effect (direct or indirect) on the process?
A: | no |
In this task, you will be presented with a question in Dutch language, and you have to write the location names from the question if present. B denotes the first item of a phrase and an I any non-initial word. Identifier used for the location name - LOC. . There can be instances with no location name entity, then return 'None'.
QuizPeople trekt spelers aan met megaprijzen . | None |
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.
Example Input: [62.889, 106.297]
Example Output: [0.372 0.628]
Example Input: [224.598, -17.025, 112.546, -16.324, -23.133, -23.311, 202.051, -40.903, -30.892]
Example Output: [ 0.579 -0.044 0.29 -0.042 -0.06 -0.06 0.521 -0.106 -0.08 ]
Example Input: [161.841, 56.676]
Example Output: | [0.741 0.259]
|
Subsets and Splits