prompt
stringlengths
48
13.4k
response
stringlengths
0
2.59k
In this task, you are given a date in a particular format and you need to convert to another format. If given format is "dd/mm/yyyy" then convert to "mm/dd/yyyy". If given format is "mm/dd/yyyy" then convert to "dd/mm/yyyy". Input: Consider Input: 02/23/1608, input_format=mm/dd/yyyy Output: 23/02/1608 Input: Consider Input: 04/24/1708, input_format=mm/dd/yyyy Output: 24/04/1708 Input: Consider Input: 27/12/1951, input_format=dd/mm/yyyy
Output: 12/27/1951
In this task, we ask you to parse restaurant descriptions into a structured data table of key-value pairs. Here are the attributes (keys) and their examples values. You should preserve this order when creating the answer: name: The Eagle,... eatType: restaurant, coffee shop,... food: French, Italian,... priceRange: cheap, expensive,... customerRating: 1 of 5 (low), 4 of 5 (high) area: riverside, city center, ... familyFriendly: Yes / No near: Panda Express,... The output table may contain all or only some of the attributes but must not contain unlisted attributes. For the output to be considered correct, it also must parse all of the attributes existant in the input sentence; in other words, incomplete parsing would be considered incorrect. -------- Question: The Rice Boat provides Chinese food in the high price range. It is located in the city centre. It is near Express by Holiday Inn. Its customer rating is 1 out of 5. Answer: name[The Rice Boat], food[Chinese], priceRange[high], customer rating[1 out of 5], area[city centre], familyFriendly[yes], near[Express by Holiday Inn] Question: Browns Cambridge is a hamburger joint that has an average rating of 3 out of 5 stars and is low priced. Answer: name[Browns Cambridge], food[Fast food], priceRange[less than £20], customer rating[average] Question: Green Man is a French establishment located in the city centre near All Bar One. It has a price range of less than £20 and is not family-friendly. Answer:
name[Green Man], food[French], priceRange[less than £20], area[city centre], familyFriendly[no], near[All Bar One]
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. Q: Which membership card has more than 5 members? A:
SELECT Membership_card FROM member GROUP BY Membership_card HAVING count(*) > 5
Detailed Instructions: You are given a statement written in Hindi. Choose the most logical word from the given 4 options which can be used to replace the <MASK> token in the statement. Output the word from the correct option . Q: Statement: व्याध तारा (Sirius) पृथ्वी से रात के सभी <MASK> में सब से ज़्यादा चमकीला नज़र आता है। इसका सापेक्ष कान्तिमान -१.४६ मैग्निट्यूड है जो दुसरे सब से रोशन तारे अगस्ति से दुगना है। दरअसल जो व्याध तारा बिना दूरबीन के आँख से एक तारा लगता है वह वास्तव में एक द्वितारा है, जिसमें से एक तो मुख्य अनुक्रम तारा है जिसकी श्रेणी A1V है जिसे "व्याध ए" कहा जा सकता है और दूसरा DA2 की श्रेणी का सफ़ेद बौना तारा है जिसे "व्याध बी" बुलाया जा सकता है। यह तारे महाश्वान तारामंडल में स्थित हैं। Option A: द्वितारा Option B: तारों Option C: अगस्ति Option D: सूरज A:
तारों
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:A palne flying in the sky with one cloud. Solution:
palne
Definition: 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. Input: [858, 226] Output:
[]
Part 1. Definition In this task you are given a list of numbers and you need to find the average of each two consecutive values. The average of two numbers a and b is calculated as: (a + b) /2. The output should be a list of the averages of each two consecutive values. A list is presented with two brackets and comma-separated values, like: [1,2,3]. Part 2. Example [-4, 7, 3] Answer: [1.5, 5] Explanation: To create the answer, we should first calculate the average of -4 and 7, that is: (-4 + 7 ) / 2 = 1.5, so the first element of the answer is 1.5. Then, we need to calculate the average of 7 and 3, that is: 5. So the second element of the answer is 5. Part 3. Exercise [-22, 51, 10, -69, 52, -72, 45, -88, -21] Answer:
[14.5, 30.5, -29.5, -8.5, -10.0, -13.5, -21.5, -54.5]
You will be given a definition of a task first, then an example. Follow the example to solve a new instance of the task. Given news headlines and an edited word. The original sentence has word within given format {word}. Create new headlines by replacing {word} in the original sentence with edit word. Classify news headlines into "Funny" and "Not Funny" that have been modified by humans using an edit word to make them funny. News Headline: France is ‘ hunting down its citizens who joined {Isis} without trial in Iraq Edit: twins Solution: Not Funny Why? The edited sentence is not making much sense, therefore it's not funny. New input: News Headline: Earth will start becoming a {desert} by 2050 if global warming is n't stopped , study says Edit: dessert Solution:
Not Funny
Teacher:In this task you will be given a list of integers. You should find the minimum 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 smallest possible absolute distance. Teacher: Now, understand the problem? Solve this instance: [-1, -90, -63, 96, -27, -50, -93] Student:
3
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. Q: [-75, -71] A: [-71] **** Q: [99, 82, -63, 9, -67, 67, 72, 76] A: [82, -67, 67, 76] **** Q: [-76, -8, -14] A:
[-76, -8, -14] ****
Generate a 1-star review (1 being lowest and 5 being highest) about an app with package org.wordpress.android.
The latest version is soooooo bad!
TASK DEFINITION: Read the given sentence and if it is a general advice then indicate via "yes". Otherwise indicate via "no". advice is basically offering suggestions about the best course of action to someone. advice can come in a variety of forms, for example Direct advice and Indirect advice. (1) Direct advice: Using words (e.g., suggest, advice, recommend), verbs (e.g., can, could, should, may), or using questions (e.g., why don't you's, how about, have you thought about). (2) Indirect advice: contains hints from personal experiences with the intention for someone to do the same thing or statements that imply an action should (or should not) be taken. PROBLEM: Stop doing weddings or anything else that distracts from what you really want to do creatively . SOLUTION: yes PROBLEM: Not ideal from his point of view but maybe the best for him SOLUTION: no PROBLEM: Start volunteering . SOLUTION:
yes
You are given first 5 messages from a series of message exchanges between 2 persons playing the game of Diplomacy which is an American strategic board game. You need to generate the next message. The message should be generated such that it fits the context seen so far. Avoid the text that is (i) tangent to the context, (ii) repeats the context. Q: ['Greeting oh Sultan of Turkey! Any thoughts on the way you’d like to play this game? I tend to love A/T alliances, with Austria building lots of armies and Turkey going mostly fleets (because breaking through to the Ionian Sea can be pretty hard otherwise). We could go after Russia first, and once they’re weakened, turn some force on Italy as well. Lots of loot to split up and keep us both happy for quite some time... what do you think?', 'I think that idea would work very well. You will most likely need to get a truce with Italy for the first few phases to protect your back until I can get ships in the area.', 'Sounds good - *if* I Italy is not lying to me, I could get that truce. What do you think we should do with Russia then? Try and trick him into leaving either Galacia or the Black Sea empty (I don’t imagine we’d be so lucky as to have him do both, but you never know, some people are just trusting like that 🙂 ). If you control BLA, we make pretty short work of the southern Russian position: Rum and Sev fall in a year or two. But if he’s cagey and careful, it’ll go slower.', 'That sounds good to me. I will talk with Russia about having a dmz in bla so I can move in.', 'So did Russia agree to leave BLA empty as a DMZ, and then go in anyway, or was that an arranged bounce like him and I in Gal?'] A:
No, the bounce wasn't planned. Could you support bul to rum, or are you supporting alb to gre?
Teacher:You are asked to create a question containing a blank (_), based on the given context word. Your question must contain two related but different objects; for example "trophy" and "suitcase". The expected answer to your question must be one of the objects present in the sentence. The expected answer must not be associated with any specific word in the question; instead it should depend on the context present in the question. The expected answer should not be equally likely to fill the blank. For your question, there should be a agreed upon answer to fill in the blank. Your generations should NOT contain potentially explicit, offensive, or adult content. Do not use animals or proper nouns (e.g., New York, Macbook, Jeff Bezos, McDonald's, ...) as your objects. Avoid repeating the same style, pattern or phrases in each question, try to increase diversity by varying sentence structure, blank placement etc. Your question must contain at least 15 and at most 30 words. You must utilize the given context word while writing the question. Your question must contain only one blank. Make sure that Object X and Y have the same number e.g. when ObjectX is singular, Object Y must be singular, too. The two objects (Object X & Object Y) should be used ONCE in your question. Here is a list of attributes and associated pair of contrastive words which may be used to create a valid question using the objects. You can use either of the contrastive words, but not both. You should think about more such attributes and associated words and use them in your question. | Attribute | triggerword | contrastive triggerword | | age | old | new | | altitude | low | high | | area | small | vast | | brightness | dark | light | | clarity | obscure | clear | | cleanness | dirty | clean | | complexity | simple | complex | | cost | cheap | expensive | | density | sparse | dense | | depth | shallow | deep | | distance | near | far | | electric conductivity | low | high | | flexibility | rigid | flexible | | granularity | fine | coarse | | hardness | soft | hard | | length | short | long | | magnitude | small | large | | mass | small | large | | odor | weak | strong | | pressure | low | high | | resistance | low | high | | shape | round | sharp | | shape | flat | spiky | | size | small | large | | sound | quiet | loud | | sound pitch | low | high | | speed | slow | fast | | stability | unstable | stable | | strength | weak | strong | | temperature | low | high | | texture | smooth | rough | | thermal conductivity | low | high | | thickness | thin | thick | | volume | small | large | | weight | light | heavy | | width | narrow | wide | | location | in | out | | location | up | down | | location | above | below | | location | on | off | | location | to | from | Teacher: Now, understand the problem? Solve this instance: Context Word: savings account. Student:
John couldn't use his savings account and had to instead use his checking account to pay the loan, because the _ account had no money it in.
In this task you will be given a string and you should find the longest substring that is a palindrome. A palindrome is a string that is the same backwards as it is forwards. If the shortest possible palindrome is length 1 you should return the first character. ogoolgogogool
gogog
Given a sentence in the Japanese and Thai language. Your task is check if the Filipino sentence is translation of Japanese. if the translation is correct than generate label "Yes", otherwise generate label "No". Q: Japanese: 少なくとも3人が死亡、少なくとも15人がけがをした。 Thai: มีผู้เสียชีวิตอย่างน้อย 3 คน และบาดเจ็บอย่างน้อย 15 คน A: Yes **** Q: Japanese: 「もしそれが却下されるならば、私や私の後継者が、別の合意に達するのにどれくらいの期間がかかるか分からないが、私はそれはこれより良くはならないだろうと思っている。」 Thai: "ถ้าผลประชามติออกมาโดยไม่ยอมรับข้อตกลงดังกล่าว ก็จะเป็นคำถามว่าผมหรือผู้ที่รับตำแหน่งต่อจากผมจะต้องใช้เวลาอีกนานเท่าไหร่เพื่อให้ได้ซึ่งข้อตกลงใหม่ ซึ่งผมเชื่อว่าคงจะไม่ดีไปกว่าฉบับนี้" A: Yes **** Q: Japanese: 「これは、同性愛が生物学的基礎を持つという考えに更なる支持を与えます」と、生理薬理学の教授、CharlesRoselliはコーヴァリスガゼットタイムズのインタビューで言った。 Thai: เขากล่าวว่าโบสถ์ของไซแอนโทโลจีไม่ได้ให้คำแนะนำทางการแพทย์ แต่มันเป็นการกระตุ้นให้ผู้คนเล็งเห็นถึงผลกระทบข้างเคียงของการรักษาด้วยยา และมันเป็นสิ่งสำคัญสำหรับ "การรักษาเกิน" สำหรับผู้ป่วยทางจิต A:
No ****
Here are some reviews for a movie: 1. Tackles a worthy subject and has its heart in the right place, but it's still highly problematic for a variety of reasons. 2. Increased awareness is only the beginning. 3. The best Hirsch's film can do, in the end, is remind us that bullying means more than we admit, and its effects aren't always immediately clear, even to loved ones. 4. There's nothing surprising or provocative in the film, which seems to want to reassure us when it should want to tick us off. 5. Heartbreaking as these stories are, "Bully" is too narrow in scope to be anything approaching definitive. Most notably absent from the film are the bullies themselves. 6. ...as a launching point for discussion and activism, Bully is clearly necessary. But as a documentary that instructs or informs, it's a bit of a disappointment. 7. I think it could be argued that it ought to be mandatory. 8. What gives Bully its substance and power are the rich, detailed portraits of life at home for the victims... 9. A deeply moving but highly selective look at the effects of bullying on children and teenagers. 10. Surely, a little objective statistical analysis would not have intruded upon the film's emotionally wrenching, fly-on-the-wall perspective. What was the overall consensus about the movie?
Hard-hitting and gracefully filmed, Bully powerfully delivers an essential message to an audience that may not be able to see it.
Teacher: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]. Teacher: Now, understand the problem? Solve this instance: question: Which language is spoken were there's a governmental office holder named Prayut Chan-o-cha? Student:
#1 return governmental office holder #2 return #1 that is named Prayut Chan-o-cha #3 return where is #2 #4 return language spoken in #3
Definition: 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. Input: Context: 'okay we can stick to you having 2 and i get 1 correct?' 'That is correct' 'okay so just to be clear you get 2 foods and me 1. I get 2 firewood and you 1 and i get 2 water and you 1? Is that correct? do we have a deal?' Utterance: 'On water I have not agreed. I will take 2 It will be fair☹️' Output:
No
You will be given a definition of a task first, then some input of the task. 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]. question: What procedures cost less than 5000 and have John Wen as a trained physician? Output:
#1 return procedures #2 return costs of #1 #3 return #1 where #2 is lower than 5000 #4 return physicians trained in #1 #5 return #1 where #2 is John Wen #6 return #1 of both #3 and #5
You are given a password and you need to generate the number of steps required to convert the given password to a strong password. A password is considered strong if (a) it has at least 6 characters and at most 20 characters; (b) it contains at least one lowercase letter and one uppercase letter, and at least one digit; (c) it does not contain three repeating characters in a row. In one step you can: (1) Insert one character to password, (2) delete one character from password, or (3) replace one character of password with another character. One example is below. Q: password = a A: 5 Rationale: Using 5 steps, it can become a strong password Q: password = M1QD A:
2
Given the task definition, example input & output, solve the new input case. 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. Example: 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) Output: azithromycin, placebo 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 case for you: Patients became significantly more depressed over time . Output:
not found
Given the task definition and input, reply with output. Given two entities as input, classify as "yes" if second entity is the part of the first entity. Otherwise classify them as "no". These are entities of meronym In linguistics, meronymy is a semantic relation between a meronym denoting a part and a holonym denoting a whole. In simpler terms, a meronym (i.e., second entity) is in a part-of relationship with its holonym (i.e., first entity). Entity 1: gamete Entity 2: and filament
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: I know how to be Mowgli. A: Znam kako biti Mowgli. **** Q: And now look at this second set of slides. A: Pogledajte sada na drugi niz slajdova. **** Q: I said, "All right, let's pray." A:
Ja sam rekla, "U redu, idemo se moliti." ****
Generate a 1-star review (1 being lowest and 5 being highest) about an app with package org.wordpress.android. A:
Read more in the new version there's no """"""""""""""""read more"""""""""""""""" icon anymore. why? i prefer the old version 😒""
Q: Given the sentence, generate "yes, and" response. "Yes, and" is a rule-of-thumb in improvisational comedy that suggests that a participant in a dialogue should accept what another participant has stated ("Yes") and then expand on that line of thought or context ("and..."). 1 In short, a "Yes, and" is a dialogue exchange in which a speaker responds by adding new information on top of the information/setting that was constructed by another speaker. Note that a "Yes, and" does not require someone explicitly saying 'yes, and...' as part of a dialogue exchange, although it could be the case if it agrees with the description above. There are many ways in which a response could implicitly/explicitly agree to the prompt without specifically saying 'yes, and...'. I've seen that one, and you know John Cryer was originally up for that lead role. A:
He was up for the role of Seaman Beaumont.
In this task, you are given a country name and you need to return the Top Level Domain (TLD) of the given country. The TLD is the part that follows immediately after the "dot" symbol in a website's address. The output, TLD is represented by a ".", followed by the domain. Vanuatu
.vu
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. Input: Consider Input: List all the scientists' names, their projects' names, and the hours worked by that scientist on each project, in alphabetical order of project name, and then scientist name. Output: SELECT T1.Name , T3.Name , T3.Hours FROM Scientists AS T1 JOIN AssignedTo AS T2 ON T1.SSN = T2.Scientist JOIN Projects AS T3 ON T2.Project = T3.Code ORDER BY T3.Name , T1.Name Input: Consider Input: How many trips stated from a station in Mountain View and ended at one in Palo Alto? Output: SELECT count(*) FROM station AS T1 JOIN trip AS T2 JOIN station AS T3 JOIN trip AS T4 ON T1.id = T2.start_station_id AND T2.id = T4.id AND T3.id = T4.end_station_id WHERE T1.city = "Mountain View" AND T3.city = "Palo Alto" Input: Consider Input: How many fault status codes are recorded in the fault log parts table?
Output: SELECT DISTINCT fault_status FROM Fault_Log_Parts
Detailed Instructions: In this task, you are given music product reviews in German 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. Q: L'incomparable . Fricsay l'incomparable dans une de ses oeuvres fétiches. Couleurs, vivacité, profondeur : tout y est. Y manque simplement un soupçon d'âpreté que je retrouve davantage encore dans sa 1ère version (DG, avec le RIAS, mono) qui reste, au plus haut niveau, ma préférée. A:
POS
Instructions: In this task you will be given a list, of lists, of integers. For every inner list contained in the input list, you should multiply every even number in that list. The output should be a list of integers with the same length as the number of lists in the input list. If there are no even numbers in an inner list you should output 0 for that list. Input: [[-27, 36], [30, 17], [16, -1, -4], [49, 20, -17]] Output:
[36, 30, -64, 20]
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'. Example input: Set1: '{1, 6, 10, 12, 13, 14, 15, 16}', Set2: '{1, 2, 4, 6, 11, 14, 15, 20}'. Is the element '11' in the intersection of Set1 and Set2 ? Example output: No Example explanation: The intersection of Set1 and Set2 is {1, 6, 14, 15}. 11 is not an element of this set. So, the answer is No. Q: Set1: '{3, 5, 8, 9, 10, 13}', Set2: '{2, 5, 6, 7, 8, 11, 19}'. Is the element '10' in the intersection of Set1 and Set2 ? A:
No
Detailed Instructions: Given a part of privacy policy text, identify the purpose for which the user information is collected/used. The purpose should be given inside the policy text, answer as 'Not Specified' otherwise Problem:A named third party does not receive your contact information for marketing purposes. This applies to users with accounts. You can configure your privacy with user settings provided by the site for the use of your information. Solution:
Marketing
Instructions: In this task, you are given commands (in terms of logical operations) and natural interpretation of the given command to select relevant rows from the given table. Your job is to generate a label "yes" if the interpretation is appropriate for the command, otherwise generate label "no". Here are the definitions of logical operators: 1. count: returns the number of rows in the view. 2. only: returns whether there is exactly one row in the view. 3. hop: returns the value under the header column of the row. 4. and: returns the boolean operation result of two arguments. 5. max/min/avg/sum: returns the max/min/average/sum of the values under the header column. 6. nth_max/nth_min: returns the n-th max/n-th min of the values under the header column. 7. argmax/argmin: returns the row with the max/min value in header column. 8. nth_argmax/nth_argmin: returns the row with the n-th max/min value in header column. 9. eq/not_eq: returns if the two arguments are equal. 10. round_eq: returns if the two arguments are roughly equal under certain tolerance. 11. greater/less: returns if the first argument is greater/less than the second argument. 12. diff: returns the difference between two arguments. 13. filter_eq/ filter_not_eq: returns the subview whose values under the header column is equal/not equal to the third argument. 14. filter_greater/filter_less: returns the subview whose values under the header column is greater/less than the third argument. 15. filter_greater_eq /filter_less_eq: returns the subview whose values under the header column is greater/less or equal than the third argument. 16. filter_all: returns the view itself for the case of describing the whole table 17. all_eq/not_eq: returns whether all the values under the header column are equal/not equal to the third argument. 18. all_greater/less: returns whether all the values under the header column are greater/less than the third argument. 19. all_greater_eq/less_eq: returns whether all the values under the header column are greater/less or equal to the third argument. 20. most_eq/not_eq: returns whether most of the values under the header column are equal/not equal to the third argument. 21. most_greater/less: returns whether most of the values under the header column are greater/less than the third argument. 22. most_greater_eq/less_eq: returns whether most of the values under the header column are greater/less or equal to the third argument. Input: Command: eq { hop { nth_argmin { filter_eq { all_rows ; coach ; brian noble } ; main article ; 4 } ; lost } ; 7 }, interpretation: select the row whose result record of all rows is maximum . the opponent record of this row is new england patriots . Output:
no
Given the task definition and input, reply with output. In this task you will be given a list of numbers and you should remove all duplicates in the list. If every number is repeated in the list an empty list should be returned. Your list should be numbers inside brackets, just like the given list. [7, 7, 4, 6, 5, 5, 1, 0, 5, 3]
[4, 6, 1, 0, 3]
You will be given a definition of a task first, then an example. Follow the example to solve a new instance of the task. In this task you will be given a string and you should find the longest substring that is a palindrome. A palindrome is a string that is the same backwards as it is forwards. If the shortest possible palindrome is length 1 you should return the first character. gocogccocco Solution: gocog Why? The substring 'gocog' is the longest possible substring that is also a palindrome. So this is a good example. New input: vovnonoonnnvv Solution:
noon
In this task, you will use your knowledge about language (and common sense) to determine what element the marked number refers to. The numbers are marked with two underlines around them, like: _ number _. There are several possible answers, you'll need to choose the proper one. Carefully read the given text, pay special attention to the marked number, think about what (unwritten) information the marked number holds inside, choose the most adequate word(s) from the optional answers. If none of them seems right to you, there's also an option for other. If your answer is "REFERENCE", also write the reference entity, otherwise write the implicit option name. Options to choose from are: REFERENCE: Some object which is being mentioned in the text before or after the target number. The reference answer has a higher priority than any other. If both Reference and another answer are possible, prioritize the Reference. YEAR: Describing a calendric year AGE: Describing someone's age CURRENCY: Reference to some monetary value e.g dollar, euro etc. PEOPLE: Describing a single/plural persons TIME: Describing a time of the day. Usually you can add the word o'clock after those numbers. OTHER: Some other option, which isn't listed here. -------- Question: Mrs. Puff: We paid nine dollars for this ? Sandy Cheeks: And I paid _ ten _ ! Answer: CURRENCY Question: Arnold Rothstein: What should I do here , Charlie ? Lucky Luciano: Depends on what the other guy got . Arnold Rothstein: Depends on what the other gentleman has . Lucky Luciano: Right . Arnold Rothstein: Well ? What does he have ? Lucky Luciano: How should I know ? I 'm no swami . Arnold Rothstein: The very reason this game is so challenging . There 's a lot of money in that pot . How much do you think is in there ? Buck: Plenty . Arnold Rothstein: 22,500$. How much mining equipment do you have to sell to make 22 grand , Buck ? Buck: A lot . Now are you gon na call or fold ? Arnold Rothstein: I 'll see your _ two _ ... And raise you five . Buck: Take it . I was bluffing . Arnold Rothstein: I know . So was I. Answer: CURRENCY Question: Piper Halliwell: So ... who 's bright idea was this , anyway ? Phoebe Halliwell: We were trying to save you . Piper Halliwell: Yeah ? Good job on that one . Phoebe Halliwell: And who went and got her head stolen ? Piper Halliwell: While you were off contemplating your navel , while you still had _ one _ ... Paige Matthews: Guys , we are not getting anywhere arguing . Piper Halliwell: Actually , we 're not getting anywhere because we do n't have any bodies . Phoebe Halliwell: Okay , look . We said we were sorry . Paige Matthews: Can we try looking on the bright side ? I mean , you know , we 're still alive . Piper Halliwell: Only 'cause Zachary ca n't kill us in here . Paige Matthews: I do n't think he would if he could . I mean , he practically apologized to us . Phoebe Halliwell: I think she 's right , actually . I did n't sense any anger from him , just a lot of sorrow . Piper Halliwell: So , what ? He did this to us just to get us out of the way ? To do what ? Phoebe Halliwell: To get revenge on the school . Paige Matthews: And Gideon . Answer:
REFERENCE navel
instruction: Given two entities as input, classify as "yes" if second entity is the part of the first entity. Otherwise classify them as "no". These are entities of meronym In linguistics, meronymy is a semantic relation between a meronym denoting a part and a holonym denoting a whole. In simpler terms, a meronym (i.e., second entity) is in a part-of relationship with its holonym (i.e., first entity). question: Entity 1: nitrogen Entity 2: covalent molecule answer: yes question: Entity 1: glacier Entity 2: cirque answer: yes question: Entity 1: milk Entity 2: cell answer:
yes
TASK DEFINITION: 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?" PROBLEM: Fact: Boats are used for transportation. SOLUTION: What is used for transportation? PROBLEM: Fact: Slime molds can be found on rotting logs and other nutrient-rich areas. SOLUTION: Where can slime molds be found besides rotting logs? PROBLEM: Fact: cooking oil heats food. SOLUTION:
what heats food?
Teacher: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]. Teacher: Now, understand the problem? Solve this instance: question: Is the brown object and the red object the same shape? Student:
#1 return brown object #2 return red object #3 return shape of #1 #4 return shape of #2 #5 return Is #3 the same as #4
In this task you will be given two lists of numbers and you need to calculate the intersection between these two lists. The intersection between two lists is another list where every element is common between the two original lists. If there are no elements in the intersection, answer with an empty list. Your list of numbers must be inside brackets. Sort the numbers in your answer in an ascending order, that is, no matter what the order of the numbers in the lists is, you should put them in your answer in an ascending order. [7, 6, 3, 1, 5, 2, 6, 2, 10, 4] , [1, 2, 9, 7, 5, 10, 6, 1, 1, 9] [1, 2, 5, 6, 7, 10] [2, 7, 7, 8, 2, 3] , [7, 10, 8, 1, 4, 10] [7, 8] [10, 10, 3, 1, 9, 10, 9] , [8, 10, 10, 10, 10, 4, 2]
[10]
For the given English description, write an SQL command such that it accomplishes every step. 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. Did M0 's star , art director , writer , costume designer , and director executive produce , direct , and write M1
SELECT count(*) WHERE { ?x0 ns:film.actor.film/ns:film.performance.film M0 . ?x0 ns:film.director.film M0 . ?x0 ns:film.director.film M1 . ?x0 ns:film.film_art_director.films_art_directed M0 . ?x0 ns:film.film_costumer_designer.costume_design_for_film M0 . ?x0 ns:film.producer.films_executive_produced M1 . ?x0 ns:film.writer.film M0 . ?x0 ns:film.writer.film M1 }
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:[1, -17, -52] Solution:
[1, -17, -52]
Turn the given fact into a question by a simple rearrangement of words. This typically involves replacing some part of the given fact with a WH word. For example, replacing the subject of the provided fact with the word "what" can form a valid question. Don't be creative! You just need to rearrange the words to turn the fact into a question - easy! Don't just randomly remove a word from the given fact to form a question. Remember that your question must evaluate scientific understanding. Pick a word or a phrase in the given fact to be the correct answer, then make the rest of the question. You can also form a question without any WH words. For example, "A radio converts electricity into?" Fact: Shock protection can prevent harm to an organism. Shock protection can prevent what to an organism? Fact: Snakes use shelter to protect themselves in the winter. Why does a snake look for shelter in the winter? Fact: The Great Barrier Reef was formed by exoskeletons.
What was formed by exoskeletons?
Q: In this task, you are given commands (in terms of logical operations) to select relevant rows from the given table. Your job is to classify the command into one of these seven categories: (1) majority, (2) unique, (3) superlative, (4) count, (5) comparative, (6) aggregation, and (7) ordinal. Here are the defications of each category: 1. majority: Describing the majority values (most or all) over one column, with the scope of all table rows or a subset of rows 2. unique: Describing one unique row, regarding one column, with the scope of all table rows or a subset of rows 3. Superlative: Describing the maximum or minimum value in a column, with the scope of all table rows or a subset of rows 4. Ordinal: Describing the n-th maximum or minimum value in a column, with the scope of all table rows or a subset of rows 5. Comparative: Comparing two rows in the table, regarding their values in one column 6. Count: counting some rows in the table based on the values in one column, with the scope of all table rows or a subset of rows 7. Aggregation: Describing the sum or average value over a column, with the scope of all table rows or a subset of rows. Here are the definitions of logical operators for understanding of command: 1. count: returns the number of rows in the view. 2. only: returns whether there is exactly one row in the view. 3. hop: returns the value under the header column of the row. 4. and: returns the boolean operation result of two arguments. 5. max/min/avg/sum: returns the max/min/average/sum of the values under the header column. 6. nth_max/nth_min: returns the n-th max/n-th min of the values under the header column. 7. argmax/argmin: returns the row with the max/min value in header column. 8. nth_argmax/nth_argmin: returns the row with the n-th max/min value in header column. 9. eq/not_eq: returns if the two arguments are equal. 10. round_eq: returns if the two arguments are roughly equal under certain tolerance. 11. greater/less: returns if the first argument is greater/less than the second argument. 12. diff: returns the difference between two arguments. 13. filter_eq/ filter_not_eq: returns the subview whose values under the header column is equal/not equal to the third argument. 14. filter_greater/filter_less: returns the subview whose values under the header column is greater/less than the third argument. 15. filter_greater_eq /filter_less_eq: returns the subview whose values under the header column is greater/less or equal than the third argument. 16. filter_all: returns the view itself for the case of describing the whole table 17. all_eq/not_eq: returns whether all the values under the header column are equal/not equal to the third argument. 18. all_greater/less: returns whether all the values under the header column are greater/less than the third argument. 19. all_greater_eq/less_eq: returns whether all the values under the header column are greater/less or equal to the third argument. 20. most_eq/not_eq: returns whether most of the values under the header column are equal/not equal to the third argument. 21. most_greater/less: returns whether most of the values under the header column are greater/less than the third argument. 22. most_greater_eq/less_eq: returns whether most of the values under the header column are greater/less or equal to the third argument. eq { max { filter_eq { all_rows ; date ; november } ; final score } ; 24 - 38 } A:
superlative
Given a part of privacy policy text, identify the type of personal information which is collected, used, tracked or retained. The type of information should be present inside the given policy text, answer as 'Not Specified' otherwise A named third party does receive unspecified information about you for targeted advertising. The data is aggregated or anonymized. Unspecified The site collects your website activities for advertising. Collection happens when you implicitly provide information in an unspecified way. User online activities The site collects your location information for an unspecified purpose. Collection happens in an unspecified way, and your data is identifiable.
Location
Given a part of privacy policy text, identify the type of personal information which is collected, used, tracked or retained. The type of information should be present inside the given policy text, answer as 'Not Specified' otherwise An unspecified third party does receive your computer information for an unspecified purpose. The data is personally identifiable.
Computer information
Given an input word generate a word that rhymes exactly with the input word. If not rhyme is found return "No" [EX Q]: half [EX A]: calf [EX Q]: take [EX A]: make [EX Q]: party [EX A]:
marty
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. Q: sink : bathroom. shower : ? A: bathroom **** Q: car : driveway. crib : ? A: nursery **** Q: toolbox : garage. toolbox : ? A:
garage ****
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: Àmì-ayò kan ṣoṣo Adnan Januzaj ló mú ikò̩ Belgium je̩gàba lórí England ikò̩ G. A: Adnan Januzaj fired Belgium into the lead in this World Cup Group G decider. **** Q: Ó dùn wá pé ìdílé ẹlẹ́ni mẹ́ta kan tí wọ́n jẹ́ Ẹlẹ́rìí Jèhófà (ìyẹn bàbá, ìyá àti ọmọkùnrin wọn ọlọ́dún méjìlélógún (22)) wà lára àwọn tó bá ìṣẹ̀lẹ̀ náà lọ. A: Sadly, included in the death toll was a family of three of Jehovah’s Witnesses (a father, mother, and 22-year-old son). **** Q: Lásìkò tí iná yẹn ṣì ń ṣọṣẹ́, àwọn aṣojú láti ẹ̀ka ọ́fíìsì lọ́ ṣèbẹ̀wò sáwọn Alábòójútó àyíká, Ìgbìmọ̀ Tó Ń Ṣètò Ìrànwọ́ Nígbà Àjálù àtàwọn tó yọ̀ǹda ara wọn láti ṣèrànwọ́ fáwọn tí àjálù dé bá. A:
While the fires were still raging, representatives from the branch office visited the circuit overseers, the Disaster Relief Committee, and local relief volunteers. ****
Given the task definition and input, reply with output. The provided file includes inquiries about restaurants in Spanish, and we ask you to translate those to English language. Please bear in mind the following guidelines while doing the translation: 1) We are looking for the most naturally written and formal form of each sentence in your language. We are *NOT* looking for colloquial forms of the sentence. We are looking for formal form 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) The fully capitalized words like DATE_0, or DURATION_0 *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. miles should be translated to its equivalent in your language. 6) Note the input is all lowercased except for fully capitalized special placeholders (e.g. NUMBER, DATE, TIME). Please do the same in your translations. busque "big woodys"
search for " big woodys "
Definition: Given a sentence in Japanese, provide an equivalent paraphrased translation in Chinese that retains the same meaning both through the translation and the paraphrase. Input: さらに、多くのアンギカスピーカーはペルシャ湾、アメリカ、カナダ、イギリスおよび他の国に移住しました。 Output:
此外,波斯湾的许多安哥拉人都移民到了英国,美国,加拿大和其他国家。
instruction: 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'. question: 27 Mar 1970 occurs after August 11, 1985 answer: False question: 25 Oct 1995 occurs between 26 February 1984 and 08 June 1978 answer: False question: 11:59:39 AM occurs between 12:47:02 and 2:59:33 answer:
True
Given the task definition, example input & output, solve the new input case. 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 | Example: Context word: fit. Output: The trophy doesn't fit into the brown suitcase because _ is too large. The question is about two related but different objects (i) "trophy" and (ii) "suitcase". The quesion contains exactly one blank (_). The expected answer is "trophy" which is one of the objects. New input case for you: Context Word: belongings. Output:
He couldn't fit his belongings in the case and had to use a sack instead, since the _ was tiny in volume.
Detailed Instructions: We would like you to assess the QUALITY of each of the following argument (discussing Gun Control) and determine if the argument is Valid or Invalid. A valid argument is clearly interpretable and either expresses an argument, or a premise or a conclusion that can be used in an argument for the topic of gun control. An invalid argument is a phrase that cannot be interpreted as an argument or not on the topic of gun control. Q: Which passed the law requireing "smart guns", if they ever become available (right now they do not exist). A:
Valid
Detailed Instructions: 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]. See one example below: Problem: question: What are the distinct creation years of the departments managed by a secretary born in state 'Alabama'? Solution: #1 return secretaries #2 return #1 born in state 'Alabama #3 return departments managed by #2 #4 return distinct creation years of #3 Explanation: Referring to previous steps is vital in constructing multi-step decompositions. In this example each step refers to the step before to perform a single filter on it to reach the final result. Problem: question: Who is the Leader of Country where the First Valls 2012 legislative session was held? Solution:
#1 return First Valls 2012 legislative session #2 return Country where #1 was held #3 return the Leader of #2
In this task, you are given a hateful post in Bengali that expresses hate or encourages violence towards a person or a group based on the protected characteristics such as race, religion, sex, and sexual orientation. You are expected to classify the post into two classes: religious or non-political religious on the topic. -------- Question: যখন বাবরি মসজিদ ভাঙ্গা হলো সেই ওপারের সাম্প্রদায়িকতার ঢেউ এপার বাংলার অাকাশে বাতাসেও যেন বইছিলো। মোদ্দাকথা অামাক সিকুয়েশন করতে হবে। ওপারের ভাইদের উপর অাক্রমণ হইবো অার অামরা বসে বসে থাকুম নাকি এপারের মালাউনদের উপর তাই হামলা করে তখন বাবরি মসজিদ ভাঙ্গার প্রতিশোধ নেওয়া হলো। পৃথিবীর মধ্যে অামাগো শান্তিপ্রিয় ভাইয়েরাই বুঝি এমন এক জাত যারা পজেটিভ দিকের সিকুয়েশন করতে পারুক বা না পারুক এসব নেগেটিভ দিক যেটা দেশের ভাবমূর্তি নষ্ট করে যা থেকে অামাদের ভাল কিছুই শেখার নেই এরা সেটার সিকুয়েশন করে। এক অাখলা Answer: religious Question: হে মেডাম আপনি তো ৯০ ভাগ মুসলমানদের দেশের মুসলমানদেরই ছাপর্ট দেন্না Answer: religious Question: হুজুর মরার পর টের তো পাইবা তোদের আল্লাহ তোদের জন্য বেহেশত এ ৭২ টা মেয়ে হুর রাখবে মানে ৭২ টা বেশস্যা মাগী রাগবে Answer:
religious
Definition: We would like you to assess the QUALITY of each of the following argument (discussing Gay Marriage) and determine if the argument is Valid or Invalid. A valid argument is clearly interpretable and either expresses an argument, or a premise or a conclusion that can be used in an argument for the topic of gay marriage. An invalid argument is a phrase that cannot be interpreted as an argument or not on the topic of gay marriage. Input: Except that in the US, the law is pretty clear that the government is not permitted to be Christian. Output:
Valid
Detailed Instructions: 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. Problem:[2.233, 105.452, 46.155, 33.796, 17.456, 194.972, 23.41, 174.018, 93.674, 20.003] Solution:
[0.003 0.148 0.065 0.048 0.025 0.274 0.033 0.245 0.132 0.028]
instruction: In this task you will be given a list of integers. A list contains numbers separated by a comma. You need to round every integer to the closest power of 2. A power of 2 is a number in the form '2^n', it is a number that is the result of multiplying by 2 n times. The following are all powers of 2, '2, 4, 8, 16, 32, 64, 128, 256, 512, 1024, 2048, 4096'. If an integer is exactly in equally far from two different powers of 2 then you should output the larger power of 2. The output should be a list of integers that is the result of rounding each integer int the input list to the closest power of 2. The output should include a '[' to denote the start of the output list and ']' to denote the end of the output list. question: [43, 719, 4741, 2887, 22, 78, 2, 88] answer: [32, 512, 4096, 2048, 16, 64, 2, 64] question: [126, 236, 930, 970, 9, 66, 4] answer: [128, 256, 1024, 1024, 8, 64, 4] question: [199, 1358, 3713] answer:
[256, 1024, 4096]
TASK DEFINITION: In this task you are given a list of numbers and you need to find the average of each two consecutive values. The average of two numbers a and b is calculated as: (a + b) /2. The output should be a list of the averages of each two consecutive values. A list is presented with two brackets and comma-separated values, like: [1,2,3]. PROBLEM: [-35, 56, -45, 14, -44] SOLUTION: [10.5, 5.5, -15.5, -15.0] PROBLEM: [85, 64] SOLUTION: [74.5] PROBLEM: [60, -21, -22, 44, -46, 97, 51, -17, 89, -6, 1, -38] SOLUTION:
[19.5, -21.5, 11.0, -1.0, 25.5, 74.0, 17.0, 36.0, 41.5, -2.5, -18.5]
We would like you to assess the QUALITY of each of the following argument (discussing Gay Marriage) and determine if the argument is Valid or Invalid. A valid argument is clearly interpretable and either expresses an argument, or a premise or a conclusion that can be used in an argument for the topic of gay marriage. An invalid argument is a phrase that cannot be interpreted as an argument or not on the topic of gay marriage. A valid argument against incestuous marriage would not have as its only premise "Marriage is defined as a legal bond between a man and a woman who are not x-apart related." Valid How many racist bigots actually think they are "bigots" because they think their morality is the right one and others are screwed up? Invalid There's also plenty of speculation that gays are more likely to be tested for and report cases of HIV infection than heterosexuals due to increased awareness programs targeted at gays in the United States.
Valid
In this task you will be given a list of numbers and you need to find the mean (average) of that list. The mean of a list can be found by summing every number in the list then dividing the result by the size of that list. The output should be rounded to 3 decimal places. Input: Consider Input: [-1.31, 169.522, -26.172, 111.289] Output: 63.332 Input: Consider Input: [192.335, 189.22, 235.216, 130.727, 222.285] Output: 193.957 Input: Consider Input: [62.394, 31.099]
Output: 46.746
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...'. Hi, I'm Diane. Nice to meet you. Shake my hand. I'm Jeremy. I only shake when I'm making a deal. It's getting really hot. I wish I would have brought water. I thought we would just have some on the way out. Honestly, I thought this was going to be a snap. It seemed like you didn't have to give her your money. It seemed like she just wanted to talk.
She did say "this is a stick up."
Part 1. Definition 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. Part 2. Example [2, 5, 9, 6, 11] Answer: [2, 5, 11] Explanation: 6 and 9 are removed from the list because they are divisible by 3. Part 3. Exercise [84, 95, -68] Answer:
[95, -68]
Detailed Instructions: In this task you will be given an arithmetic operation in Italian and you have to find its answer. The operations 'addition' and 'subtraction' have been replaced with their italian translations i.e you need to perform addition when you see 'aggiunta' and subtraction in case of 'sottrazione'. Q: 6453 aggiunta 8732 sottrazione 2877 A:
12308
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: eXal A:
Xl
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: restaurants. Solution:
After the restaurants closed, everyone moved from the restaurants to the bar, so the _ became lively.
Part 1. Definition In this task, you are given commands (in terms of logical operations) and natural interpretation of the given command to select relevant rows from the given table. Your job is to generate a label "yes" if the interpretation is appropriate for the command, otherwise generate label "no". Here are the definitions of logical operators: 1. count: returns the number of rows in the view. 2. only: returns whether there is exactly one row in the view. 3. hop: returns the value under the header column of the row. 4. and: returns the boolean operation result of two arguments. 5. max/min/avg/sum: returns the max/min/average/sum of the values under the header column. 6. nth_max/nth_min: returns the n-th max/n-th min of the values under the header column. 7. argmax/argmin: returns the row with the max/min value in header column. 8. nth_argmax/nth_argmin: returns the row with the n-th max/min value in header column. 9. eq/not_eq: returns if the two arguments are equal. 10. round_eq: returns if the two arguments are roughly equal under certain tolerance. 11. greater/less: returns if the first argument is greater/less than the second argument. 12. diff: returns the difference between two arguments. 13. filter_eq/ filter_not_eq: returns the subview whose values under the header column is equal/not equal to the third argument. 14. filter_greater/filter_less: returns the subview whose values under the header column is greater/less than the third argument. 15. filter_greater_eq /filter_less_eq: returns the subview whose values under the header column is greater/less or equal than the third argument. 16. filter_all: returns the view itself for the case of describing the whole table 17. all_eq/not_eq: returns whether all the values under the header column are equal/not equal to the third argument. 18. all_greater/less: returns whether all the values under the header column are greater/less than the third argument. 19. all_greater_eq/less_eq: returns whether all the values under the header column are greater/less or equal to the third argument. 20. most_eq/not_eq: returns whether most of the values under the header column are equal/not equal to the third argument. 21. most_greater/less: returns whether most of the values under the header column are greater/less than the third argument. 22. most_greater_eq/less_eq: returns whether most of the values under the header column are greater/less or equal to the third argument. Part 2. Example Command: eq { hop { nth_argmax { all_rows ; attendance ; 3 } ; competition } ; danish superliga 2005 - 06 }, interpretation: select the row whose attendance record of all rows is 3rd maximum. the competition record of this row is danish superliga 2005-06. Answer: yes Explanation: Here, the command and interpretion given for the command is correct that 3rd maximum should be selected from given table rows. Hence, the label is 'yes'. Part 3. Exercise Command: eq { hop { nth_argmin { all_rows ; date ; 11 } ; field } ; cawley memorial stadium }, interpretation: select the row whose date record of all rows is 11th minimum . the field record of this row is cawley memorial stadium . Answer:
yes
Definition: In this task you will be given a string of characters. You should remove all vowels from the given string. Vowels are: i,e,a,u,o. The character 'y' or 'Y' does not count as a vowel. Input: AcGyDEoRK Output:
cGyDRK
Given the task definition and input, reply with output. In this task you will be given a list of integers. You should find the minimum 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 smallest possible absolute distance. [-99, -45, 23, -15]
30
You are given a time in 24-Hours format, and you need to convert it to time in the 12-Hours format. For a 24-Hours format time larger than 12:00, subtract 12 hours from the given time, then add 'PM'. For example, if you have 14:30 hours, subtract 12 hours, and the result is 2:30 PM. If the 24-Hours format time is less than or equal to 12:00, add 'AM'. For example, say you have 10:15 hours, add the 'AM' to the end, here we get 10:15 AM. Note that 00:00 Hrs in 24-Hours format is 12:00 AM in 12-Hours format and 12:00 Hrs in 24-Hours format would be 12:00 PM in 12-Hours format. Example input: 19:00 Hrs Example output: 07:00 PM Example explanation: For a 24-Hours format time larger than 12:00, we should subtract 12 hours from the given time, then add 'PM'. So, the output is correct. Q: 22:42 Hrs A:
10:42 PM
In this task, we ask you to parse restaurant descriptions into a structured data table of key-value pairs. Here are the attributes (keys) and their examples values. You should preserve this order when creating the answer: name: The Eagle,... eatType: restaurant, coffee shop,... food: French, Italian,... priceRange: cheap, expensive,... customerRating: 1 of 5 (low), 4 of 5 (high) area: riverside, city center, ... familyFriendly: Yes / No near: Panda Express,... The output table may contain all or only some of the attributes but must not contain unlisted attributes. For the output to be considered correct, it also must parse all of the attributes existant in the input sentence; in other words, incomplete parsing would be considered incorrect. An Indian coffee shop is called Cocum, with a moderate price range but has low ratings from it's customers. name[Cocum], eatType[coffee shop], food[Indian], priceRange[moderate], customer rating[1 out of 5], familyFriendly[no] The Golden Curry, an English restaurant in a moderate price range that is not kids friendly is situated near The Bakers name[The Golden Curry], food[English], priceRange[moderate], familyFriendly[no], near[The Bakers] Browns Cambridge offers moderately priced English food and is highly rated by customers.
name[Browns Cambridge], food[English], priceRange[£20-25], customer rating[high]
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. [85.529, 203.894, -43.436, 228.711, 1.764, -19.978, -5.241, 230.741] [ 0.125 0.299 -0.064 0.335 0.003 -0.029 -0.008 0.338] [156.505, 137.881, -73.82, 26.338, -26.232, -28.183, 78.806] [ 0.577 0.508 -0.272 0.097 -0.097 -0.104 0.29 ] [-79.133, -97.324, 28.129, 138.128, 213.878, -42.159, -44.342, 218.167, 206.665, 115.285]
[-0.12 -0.148 0.043 0.21 0.325 -0.064 -0.067 0.332 0.314 0.175]
Part 1. Definition In this task you will be given a string and you should find the longest substring that is a palindrome. A palindrome is a string that is the same backwards as it is forwards. If the shortest possible palindrome is length 1 you should return the first character. Part 2. Example gocogccocco Answer: gocog Explanation: The substring 'gocog' is the longest possible substring that is also a palindrome. So this is a good example. Part 3. Exercise ammmmlllaalm Answer:
mmmm
1. A Wall Street version of 'Glengarry Glen Ross' in which the weak are whisked aside and the alpha dogs stick around long enough to fill their pockets with millions of other people's money. 2. Gets the little details right, the way everyone is one bad week away from being homeless, the way you can have a conversation with a colleague with the cleaning lady standing in between you and no one will ever even acknowledge that she's there. 3. A well-told and credible look at the economic collapse from the perspective of one company's employees. 4. Margin Call is Wall Street for now. That a sexy Gordon Gekko-type villain is no longer anywhere to be found shows just how much worse things really are today. 5. At times, the film becomes just a series of static, over-determined conversations held in lofty offices and gleaming toilets. 6. Wily humor and sly observations about the lives of these high rollers are the highlights... It's when those give way to issues of morality that the film disappoints, just a little... 7. Maybe the financial collapse went down something like this... 8. In Margin Call, first time writer-director JC Chandor creates a humanizing insight into the lives of the bankers who discovered the fall of the economy. 9. Es casi imposible identificarse con alguno de los personajes. Y el director y guionista lo sabe, por eso dota a su ópera prima de una tensión propia de un thriller, y de una mirada cínica y desencantada. 10. Margin Call can't beat the street, missing the mark in a major way given the massive expectations. What is a brief summary of the following reviews?
Smart, tightly wound, and solidly acted, Margin Call turns the convoluted financial meltdown of '08 into gripping, thought-provoking drama.
Given a negotiation between two participants, answer 'Yes' if both participants agree to the deal, otherwise answer 'No'. Example Input: THEM: i need the books and 2 balls YOU: i can give you both books and 1 ball THEM: i really need the books and 2 balls YOU: i can do 1 book and 2 balls if you want,,, i need have something THEM: that isn't quite enough i really need another item YOU: you can have 2 books and 1 ball that leaveing us both with 3 items THEM: whatever, that's fine, you don't understand the game. Example Output: Yes Example Input: THEM: i will take the hat and the ball you can have all the books. YOU: now see, i promised my dying son i'd play one last game of basketball with him. i need that ball. THEM: alright, alright - you take the books and the ball. i will ride off on my horse with that hat. YOU: thanks. its a deal. Example Output: Yes Example Input: THEM: hi there, give me the hat and you can take the rest. YOU: sounds good, thanks! THEM: cool : ) Example Output:
Yes
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. Q: Context: 'That is unfortunate. How about I give you are my firewood for all your food?' 'That is a very generous offer but I think I need to keep some food to be safe. Do you need any water?' 'I can use water, yes. You could have all the firewood, one food ration. Then I could take the water rations and two food rations. ' Utterance: 'Actually, I'd like to keep some water as well in case it gets so cold that the lakes and other water sources freeze.' A:
Yes
instruction: Given a sentence in the Japanese and Thai language. Your task is check if the Filipino sentence is translation of Japanese. if the translation is correct than generate label "Yes", otherwise generate label "No". question: Japanese: ライナーの話は主に、テキサスのダラスで遺品整理に加わっていた時に、彼女が発見した古い手鏡を中心に展開する。 Thai: ตัวเซนเซอร์เป็นหนึ่งในสี่ที่ใช้เป็นตัวกระตุ้นให้เครื่องยนตร์หยุดทำงานหลังจากการปล่อย answer: No question: Japanese: 目撃者は、その航空機は大きな「バン」という音を上げ、炎はなくゆっくりと海に落ちていったと言っている。 Thai: แม้ว่า Southampton จะยังไม่ได้เปิดเผยรายละเอียดใด ๆ เกี่ยวกับข้อตกลง แต่ Wenger ได้หลุดปากว่าข้อตกลงเกือบเสร็จสมบูรณ์แล้ว หลังเขาเปิดเผยว่าได้ซื้อผู้เล่น "สองคนครึ่ง"; Emmanuel Adebayor, Abo Daiby - Walcott หมายถึงผู้เล่น "ครึ่งคน" answer: No question: Japanese: 首相のオフィスのメッセンジャーであるマイケル・ライアンはテレコムに極秘文書を漏らしたスパイとみられている。 Thai: ขณะที่ขบวนรถบรรทุกสินค้าอยู่บนรางใกล้สถานีโคตรี รถไฟบรรทุกสินค้าที่มาจากเมืองการาจี ที่จะไปยังไฮเดอราบัด ซึ่งบรรทุกถังน้ำมันอยู่ ได้วิ่งเข้าชนแล้วเกิดไฟลุกขึ้น answer:
No
Detailed Instructions: 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 Problem:initially, in opposition to petitioner's motion for class certification, respondent relied primarily on the governmental operations rule, which provides that class actions are not a superior method for resolving multiple claims against administrative agencies because stare decisis will protect the potential class members by ensuring prospective application of a favorable judgment. Solution:
non-overruling
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. Example Input: Context: 'Your needs are like mine. I have a condition that require me to shower quite often. It is a shame but if I do not shower for 3 hours I will stink. ' 'Well fortunately if you are camping that won't be too bad. You'll blend in with the wilderness.' 'My friends will run away. I will not be comfortable either. So how do we split what we have?' Utterance: 'If they're true friends, they won't. I'll take 2 firewood, 2 water, 3 food.' Example Output: No Example Input: Context: 'i suggest we put excess in charge of working on proposition because prevention of excess is not a good first step.' 'I don't know what you mean by "prevention of excess." Can you clarify?' Utterance: 'what i mean by prevention of excess is that we should focus on getting excess and not to limit it regardless of what we already have because if we should offer some creative approaches by excess. we can both come to an agreement if you are interested.' Example Output: No Example Input: Context: 'Hello! How are you doing today?' 'I am doing great' 'Great! For our camping trip, I would love to take all the water and firewood. You can have all the food. ' Utterance: 'I really need the firewood, It gets very very cold at night where I go camping.' Example Output:
Yes
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. Q: [{'first': 88, 'second': -15}, {'first': -31, 'second': 85}, {'first': -100, 'second': -81}, {'first': 29, 'second': -43}, {'first': -69, 'second': -15}, {'first': -65, 'second': 28}] A:
[{'first': -100, 'second': -81}, {'first': -69, 'second': -15}, {'first': -65, 'second': 28}, {'first': -31, 'second': 85}, {'first': 29, 'second': -43}, {'first': 88, 'second': -15}]
Indicate if the following Polish tweet contains cyber-bullying content with 'Yes'; otherwise, respond with 'No'. Ex Input: Tweet: from: me\nto: wszystkie ładne dziewczyny\n\njak to jest być ładnym???? , Question: Does the tweet contain cyberbullying (harmful) content? Ex Output: No Ex Input: Tweet: RT @anonymized_account Tak się zastanawiam czy zamknięcie stadionu Cracovii to dla nich jakakolwiek kara. Przecież na ich mecze i tak nikt nie chodzi. , Question: Is the tweet free of any cyberbullying (harmful) content? Ex Output: Yes Ex Input: Tweet: Qrwa!! I niech mi nikt nie mówi, że czary to jakiś zabobon!! Chłopaki mają sztywne nogi! , Question: Does the tweet contain cyberbullying (harmful) content? Ex Output:
No
Instructions: You are given a statement written in Hindi. Choose the most logical word from the given 4 options which can be used to replace the <MASK> token in the statement. Output the word from the correct option . Input: Statement: हालांकि एसीसीए (ACCA) की योग्यता को अंतरराष्ट्रीय और ऐतिहासिक प्रभावों के कारण <MASK> रोजगार बाजार द्वारा बहुत अधिक मान्यता दी जाती है। ज्यादातर एचकेआईसीपीए (HKICPA) सदस्यों ने एचकेएसए-एसीसीए (HKSA-ACCA) संयुक्त योजना के जरिये योग्यता हासिल की थी, यह योजना 20 से अधिक वर्षों तक संचालित की गयी थी। एचकेएसए (HKSA) (हांगकांग सोसायटी ऑफ एकाउंटेंट्स (Hong Kong Society of Accountants)) एचकेआईसीपीए (HKICPA) का पुराना नाम था। Option A: ताइवान Option B: ग्लासगो Option C: ओंटेरियो Option D: हांगकांग Output:
हांगकांग
TASK DEFINITION: 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. PROBLEM: The Lord Our Savior. SOLUTION: the lord create the heaven and earth jesus birth be the great birth jesus die on the cross for me and you he be take down and put in a tomb he descend into hell to destroy sin christ's ressurection be a great win christ open the door to heaven a place in heaven for u be now give he sit at the right of the father wait for u to come together PROBLEM: The Mulberry Tree SOLUTION: there once be a tree like a bee the tree look like a bumblebee the tree be like a honeybee like that big old mulberry tree PROBLEM: Gap SOLUTION:
my name be stan iam a man i have a tan i live in a van i play in a band
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 no-need strategy, otherwise output No. no-need is a cooperative negotiation strategy. It is used when a participant points out that they do not need an item based on personal context such as suggesting that they have ample water to spare. no-need can directly benefit the opponent since it implies that the item is up for grabs. Let me give you an example: Context: Utterance: 'how about I give you 2 waters and 1 food package in exchange for all your firewood?' The answer to this example can be: No Here is why: The utterance does not use the no-need strategy since it never refers to an item that the participant does not need. OK. solve this: Context: 'Hello, I want to keep 3 packages of the water and 2 packages of the food and 1 package of the fire wood , and you can keep 1 package of the food and 2 packages of the firewood.' Utterance: 'Could I get 1 package of the water just to be entirely safe?? I really appreciate the 2 packages of firewood as it has been very wet and rainy where I will be going. There will be a lot of standing water, so my chances for having safe water to drink might be a little iffy.' Answer:
No
TASK DEFINITION: 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: '{18}', Set2: '{1, 2, 8, 13, 15, 17, 18}'. Is the element '13' in the intersection of Set1 and Set2 ? SOLUTION: No PROBLEM: Set1: '{19, 20}', Set2: '{6, 7, 9, 18, 20}'. Is the element '7' in the intersection of Set1 and Set2 ? SOLUTION: No PROBLEM: Set1: '{5, 9, 10, 11, 12, 17}', Set2: '{17, 5}'. Is the element '5' in the intersection of Set1 and Set2 ? SOLUTION:
Yes
Given the task definition, example input & output, solve the new input case. 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]. Example: question: What are the distinct creation years of the departments managed by a secretary born in state 'Alabama'? Output: #1 return secretaries #2 return #1 born in state 'Alabama #3 return departments managed by #2 #4 return distinct creation years of #3 Referring to previous steps is vital in constructing multi-step decompositions. In this example each step refers to the step before to perform a single filter on it to reach the final result. New input case for you: question: What is the cmi cross reference id that is related to at least one council tax entry? List the cross reference id and source system code. Output:
#1 return cmis cross reference id #2 return council tax entries that #1 related to #3 return number of #2 for each #1 #4 return #1 where #3 is at least one #5 return source system codes of #4 #6 return #4 , #5
Q: Given a sequence of actions to navigate an agent in its environment, provide the correct command in a limited form of natural language that matches the sequence of actions when executed. Commands are lowercase and encapsulate the logic of the sequence of actions. Actions are individual steps that serve as the building blocks for a command. There are only six actions: 'I_LOOK', 'I_WALK', 'I_RUN', 'I_JUMP', 'I_TURN_LEFT', and 'I_TURN_RIGHT'. These actions respectively align with the commands 'look', 'walk', 'run', 'jump', 'turn left', and 'turn right'. For commands, 'left' and 'right' are used to denote the direction of an action. opposite turns the agent backward in the specified direction. The word 'around' makes the agent execute an action while turning around in the specified direction. The word 'and' means to execute the next scope of the command following the previous scope of the command. The word 'after' signifies to execute the previous scope of the command following the next scope of the command. The words 'twice' and 'thrice' trigger repetition of a command that they scope over two times or three times, respectively. Actions and commands do not have quotations in the input and output. I_RUN I_RUN I_RUN I_TURN_LEFT I_RUN I_TURN_LEFT I_RUN I_TURN_LEFT I_RUN I_TURN_LEFT I_RUN I_TURN_LEFT I_RUN I_TURN_LEFT I_RUN I_TURN_LEFT I_RUN I_TURN_LEFT I_RUN A:
run around left twice after run thrice
Detailed Instructions: 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. Problem:[-33.932, -16.428] Solution:
[0.674 0.326]
Detailed Instructions: Given a part of privacy policy text, identify the type of personal information which is collected, used, tracked or retained. The type of information should be present inside the given policy text, answer as 'Not Specified' otherwise Q: An unspecified third party does receive your survey data for analytics or research. The data is aggregated or anonymized. A:
Survey data
TASK DEFINITION: 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. PROBLEM: [603, 503, 724, 281, 879, 827, 822, 552, 617, 953, 733, 283, 699, 157, 454, 769] SOLUTION: [503, 281, 827, 617, 953, 733, 283, 157, 769] PROBLEM: [271, 13, 709, 106, 374, 281] SOLUTION: [271, 13, 709, 281] PROBLEM: [329, 88, 487, 651, 263, 473, 260, 47, 571, 271, 179, 727, 917, 59, 270, 967, 592, 281, 661] SOLUTION:
[487, 263, 47, 571, 271, 179, 727, 59, 967, 281, 661]
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: [ 44.209 -40.766] Solution:
44.209
Detailed Instructions: 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. Problem:[-18.327, 220.357] Solution:
[-0.091 1.091]
Definition: 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 | Input: Context Word: swimming pool. Output:
In the summer it can be tough to maintain the water in the swimming pool. Sometimes the _ gets dirty and needs scrubbing with a brush.
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. Input: Consider Input: Prompt: Sometimes the shit you fuck with, is just Completion A: that the way it is with the way we do it, and it gets better. Once you get the consistency and the understanding, that's really important Completion B: shit. And the stuff you do is not only fuck, but also fuck shit, or at least fuck shit like that. Fuck your ow Output: Completion A Input: Consider Input: Prompt: You fuck with me I fuck with you..I will never lie to you..gotts Completion A: itin' you too.." She knew, at this point, it was just part of his game. She would never make him stay Completion B: ...you must never speak to me..do this, don't do that..if you let that hurt you feel free to do it. I wil Output: Completion A Input: Consider Input: Prompt: Vic is fucking my old bitch, Nunu. She's acting like she didn't fuck Completion A: you, like you were your shit, like you were like a fucktoy or something. And she's the bitch I'm gonna be Completion B: anything and doesn't even know how to say the word 'Fucked.' Shit looks like he has a massive fucking ego.And I'
Output: Completion A
Detailed Instructions: In this task, you are given a hateful post in Bengali that expresses hate or encourages violence towards a person or a group based on the protected characteristics such as race, religion, sex, and sexual orientation. You are expected to classify the post into two classes: religious or non-political religious on the topic. Q: তোর যদি হেডামে কুলাই তাইলে একটা ভুল প্রমাণ কইরা দেখা নাইলে তোর মা দুর্গার ভোদা লালে লাল বানাইয়া ফালামু A:
religious
In this task, you are given a hateful post in Bengali that expresses hate or encourages violence towards a person or a group based on the protected characteristics such as race, religion, sex, and sexual orientation. You are expected to classify the post into two classes: religious or non-political religious on the topic. -------- Question: শালার পুতেরা মুসলমান কে বলে জংলী ।তোর বাপ মালাউনের বাচ্চা মরলে জংলী বলছ কেন ।। Answer: religious Question: এখানে যত মালাউন আছে সবার মা বোন দের পাকিস্তানিরা চোদে পাকিস্তান জিন্দাবাদ Answer: religious Question: এতে করে ভারতীয় চ্যানেলগুলোর সেরা সত্য ঘটনা অবলম্বনেক্রাইম পেট্রোলসাবধান রেন্ডিয়া ইত্যাদির নতুন পর্ব তৈরি করতে পারবে Answer:
non-religious
Definition: Read the given sentence and if it is a general advice then indicate via "yes". Otherwise indicate via "no". advice is basically offering suggestions about the best course of action to someone. advice can come in a variety of forms, for example Direct advice and Indirect advice. (1) Direct advice: Using words (e.g., suggest, advice, recommend), verbs (e.g., can, could, should, may), or using questions (e.g., why don't you's, how about, have you thought about). (2) Indirect advice: contains hints from personal experiences with the intention for someone to do the same thing or statements that imply an action should (or should not) be taken. Input: What is the only thing that if shared , will grow larger in size?Answer : Love . Output:
yes
Instructions: In this task you will be given an arithmetic operation in Italian and you have to find its answer. The operations 'addition' and 'subtraction' have been replaced with their italian translations i.e you need to perform addition when you see 'aggiunta' and subtraction in case of 'sottrazione'. Input: 5449 sottrazione 8999 aggiunta 7398 aggiunta 2875 aggiunta 8936 sottrazione 2757 aggiunta 7298 sottrazione 7200 aggiunta 9062 Output:
22062
Detailed Instructions: In this task you will be given two lists of numbers and you need to calculate the intersection between these two lists. The intersection between two lists is another list where every element is common between the two original lists. If there are no elements in the intersection, answer with an empty list. Your list of numbers must be inside brackets. Sort the numbers in your answer in an ascending order, that is, no matter what the order of the numbers in the lists is, you should put them in your answer in an ascending order. Problem:[8, 7, 8, 2, 9, 1, 8, 2, 9] , [8, 8, 4, 2, 8, 4, 5, 9, 1] Solution:
[1, 2, 8, 9]