prompt
stringlengths 105
10.9k
| response
stringlengths 0
2.08k
|
---|---|
Detailed Instructions: In this task you're given two statements in Marathi. You must judge whether the second sentence is the cause or effect of the first one. The sentences are separated by a newline character. Output either the word 'cause' or 'effect' .
Problem:मी हास्याच्या तंदुरुस्त पडलो.
माझे डोळे अश्रूंनी भरुन गेले.
Solution: | effect |
Your task is to localize given English phrase into Telugu language. When localising, follow these rules - (1) General names and concepts can be translated (2) Domain specific names can just be transliterated (3) Localised phrases can have both partial translated and transliterated parts (4) But only partial translation or only partial transliteration is not allowed (5) Copy special characters and numbers as is
System Monitor - Hardware Info | సిస్టమ్ మానిటర్ |
Detailed Instructions: You will be given two sentences. One of them is created by paraphrasing the original one, with changes on an aspect, or using synonyms. Your task is to decide what is the difference between two sentences. Types of change are explained below:
Tense: The verbs in the sentence are changed in tense.
Number: Plural nouns, verbs and pronouns are changed into single ones or the other way around.
Voice: If the verbs are in active voice, they're changed to passive or the other way around.
Adverb: The paraphrase has one adverb or more than the original sentence.
Gender: The paraphrase differs from the original sentence in the gender of the names and pronouns.
Synonym: Some words or phrases of the original sentence are replaced with synonym words or phrases. Changes in the names of people are also considered a synonym change. Classify your answers into Tense, Number, Voice, Adverb, Gender, and Synonym.
Problem:original sentence: Frank was upset with Tom because the toaster he had bought from him didn't work . paraphrase: Frank is upset with Tom because the toaster he is buying from him doesn't work .
Solution: | Tense |
Given a hotel review and the corresponding polarity of review (i.e., Negative or Positive) identify if the polarity is correct. Write 'true' if it's correct, 'false' otherwise.
Let me give you an example: Review: I stayed at the Hilton Chicago for my cousins wedding. The service was impeccable. Not only was the staff attentive, they were respectful and careful not to interrupt the guests or make themselves known when serving dinner. I had the chicken wellington and it was to die for! The chicken was perfect and moist but the pastry crust was flaky and crispy. They even had Pakistani dinner options for some of the guests. The amenities were great, and after an open bar the night before, the Mimosas and brunch buffet couldn't have been better! I would love to have my wedding there.
Polarity: Positive
The answer to this example can be: true
Here is why: Review writer likes the hotel. There are strong positive words like 'impeccable' and 'great'. Therefore it is true as the polarity mentioned.
OK. solve this:
Review: Oh My! More Like A Dank Museum Than A Four Star Hotel! I read so many reviews on this hotel that I was sure my husband and I wouldn't be disappointed on spending our 10th Wedding Anniversary in the heart of Chicago at such a luxurious hotel! All the reviews sounded great so I feel awkward writing this, but I have to be fair - this place was a major disappointment. While the location is superb, the images online must have been taken over 10 years ago because all of the decor when we visited looked very old and faded. I noticed dirt everywhere - the fabric on the furniture was stained, the baseboards and woodwork were scratched and dirty and there seemed to be a smell of mold and mildew that permeated the entire hotel. Even though the food was great, the linens, glassware and silverware were not sparkling - it sort of helped that candles were lit so I didn't focus too much on how dreary and washed out the dining facility was. I didn't realize experiencing history would actually mean staying at a hotel that's living in the past! This was barely a two star hotel and I do not recommend staying here at all.
Polarity: Negative
Answer: | true |
You will be given two sentences. One of them is created by paraphrasing the original one, with changes on an aspect, or using synonyms. Your task is to decide what is the difference between two sentences. Types of change are explained below:
Tense: The verbs in the sentence are changed in tense.
Number: Plural nouns, verbs and pronouns are changed into single ones or the other way around.
Voice: If the verbs are in active voice, they're changed to passive or the other way around.
Adverb: The paraphrase has one adverb or more than the original sentence.
Gender: The paraphrase differs from the original sentence in the gender of the names and pronouns.
Synonym: Some words or phrases of the original sentence are replaced with synonym words or phrases. Changes in the names of people are also considered a synonym change. Classify your answers into Tense, Number, Voice, Adverb, Gender, and Synonym.
[EX Q]: original sentence: Sara borrowed the book from the library because she needs it for an article she is working on . She reads it when she gets home from work . paraphrase: Sara and Julia borrowed books from the library because they need them for articles they are working on . They read them when they get home from work .
[EX A]: Number
[EX Q]: original sentence: Joe paid the detective after he delivered the final report on the case . paraphrase: The detective was paid by Joe after he delivered the final report on the case .
[EX A]: Voice
[EX Q]: original sentence: As Ollie carried Tommy up the long winding steps , his legs ached . paraphrase: As Nina carried Lucy up the long winding steps , her legs ached .
[EX A]: | Gender
|
Given the task definition and input, reply with output. In this task you are expected to write an SQL query that will return the data asked for in the question. An SQL query works by selecting data from a table where certain conditions apply. A table contains columns where every row in that table must have a value for each column. Every table has a primary key that uniquely identifies each row, usually an id. To choose which columns are returned you specify that after the "SELECT" statement. Next, you use a "FROM" statement to specify what tables you want to select the data from. When you specify a table you can rename it with the "AS" statement. You can reference that table by whatever name follows the "AS" statement. If you want to select data from multiple tables you need to use the "JOIN" statement. This will join the tables together by pairing a row in one table with every row in the other table (Cartesian Product). To limit the number of rows returned you should use the "ON" statement. This will only return rows where the condition specified after the statement is true, this is usually an equals operator with primary keys. You can also use the "WHERE" statement to specify that only rows with column values statisfying a certain condition, should be returned. The "GROUP BY" statement will group rows together that have equal column values for whatever columns follows the statement. The "HAVING" statement will return groups that statisfy whatever condition follows the statement. Any column(s) being returned from grouped rows must either be an aggregate function, (AVG, MAX, COUNT, SUM, ...) of a column, or the column(s) that the data was grouped by. To sort the returned data you can use the "ORDER BY" command which will order the data by whatever aggregate function or column follows the statement. The "DESC" statement will sort in descending order and the "ASC" statement will sort in ascending order. Finally, you can use the "LIMIT" statement to return a certain number of rows. When "*" is used in an SQL statement every column is returned. For example, SELECT * FROM table WHERE attribute = 1, will select every column from rows with the attribute column equal to 1.
What are the titles and directors of all movies that have a rating higher than the average James Cameron film rating?
| SELECT T2.title , T2.director FROM Rating AS T1 JOIN Movie AS T2 ON T1.mID = T2.mID WHERE T1.stars > (SELECT avg(T1.stars) FROM Rating AS T1 JOIN Movie AS T2 ON T1.mID = T2.mID WHERE T2.director = "James Cameron") |
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.
Example input: I want you now to imagine a wearable robot that gives you superhuman abilities, or another one that takes wheelchair users up standing and walking again.
Example output: Želim da sada zamislite nosiv robot koji vam daje nadljudske sposobnosti, ili neki drugi koji omogučuje korisnicima invalidskih kolica da stoje i ponovno hodaju.
Example explanation: The translation correctly preserves the characters in Croatian.
Q: Well, that's where you have to go backstage and ask the magician.
A: | Pa sad, trebali biste otići iza kulisa i pitati to međioničara. |
Definition: Adverse drug reactions are appreciably harmful or unpleasant reactions resulting from an intervention related to the use of medical products, which predicts hazard from future administration and warrants prevention or specific treatment, or alteration of the dosage regimen, or withdrawal of the product. Given medical case reports extracted from MEDLINE, the task is to classify whether the case report mentions the presence of any adverse drug reaction. Classify your answers into non-adverse drug event and adverse drug event.
Input: A 41-year-old black female with psoriasis developed photosensitivity and a Koebner reaction while receiving phototherapy.
Output: | non-adverse drug event |
Teacher: 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.
Teacher: Now, understand the problem? If you are still confused, see the following example:
['Heyyyy Turkey', 'Whatcha thinking re: start of the game?', "It kind of depends. I'll probably want to stop Russia from advancing south", "I'm kind of afraid of Austria and Russia teaming together on me", 'I mean if that happens you’re donezos']
Solution: What vibes are you getting from each of them?
Reason: The message fits the context as it asks for the vibes of 2 of them which refers to 2 countries: Austria and Russia in the second last message. Thus it is a positive example.
Now, solve this instance: ['Buongiorno and hi there, King in the North! How are things in the most central power of Europe?', 'Can I get in early to raise the question of Tyrolia? Not immensely keen to get stuck in a standoff near Venice, but still less so to see black uniforms heading south lol', 'Greetings! Queen, actually', 'Yes, that sounds good to me', 'Queen in the North, Queen in the South :3 You understand I had to play the odds though, yes? \n\nWhat vibe are you getting off Russia? And has England reached out to you yet?']
Student: | Haha, yes I get it 😃 |
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: My heart beat fast, my head was dizzy, trying to comprehend what it was that stood in front of me.
A: | Moje srce je kucalo brzo, vrtjelo mi se u glavi, pokušavajući shvatiti što je to što je stajalo ispred mene. |
Instructions: 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: What are the ids of the students who registered for course 301?
Output: | SELECT student_id FROM student_course_attendance WHERE course_id = 301 |
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: 1671 sottrazione 17 sottrazione 6190 aggiunta 9786 sottrazione 3903 aggiunta 8437 aggiunta 4937
A: | 14721 |
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?"
Example input: Fact: pesticides can harm animals.
Example output: What can harm animals?
Example explanation: It's a good question because it is formed by simply replacing the word "pesticides" with "what".
Q: Fact: Green plants are not Heterotrophs.
A: | What living things are not Heterotrophs? |
In this task, you will be given a list. The list is several integers and letters separated with a comma, written within a []. You can create new lists by dropping one of the items in the input list. Your task is to write a list containing all the possible lists you can make by dropping one item from the input list. For example, if the input list contains two items, you can drop one of the items each time. So the output should be a list comprising two inner lists that you have created by decreasing the items.
Example input: ['3', 'u', 'W', '8', 'j']
Example output: [['3', 'u', 'W', '8'], ['3', 'u', 'W', 'j'], ['3', 'u', '8', 'j'], ['3', 'W', '8', 'j'], ['u', 'W', '8', 'j']]
Example explanation: The output is a list of length 5, containing lists of length 4. Each inner list is created by dropping one item if the input list. So this is a good example.
Q: ['O', '0', '2', '7', '9', 'A', 'F']
A: | [['O', '0', '2', '7', '9', 'A'], ['O', '0', '2', '7', '9', 'F'], ['O', '0', '2', '7', 'A', 'F'], ['O', '0', '2', '9', 'A', 'F'], ['O', '0', '7', '9', 'A', 'F'], ['O', '2', '7', '9', 'A', 'F'], ['0', '2', '7', '9', 'A', 'F']] |
Instructions: Given a hotel review and the corresponding polarity of review (i.e., Negative or Positive) identify if the polarity is correct. Write 'true' if it's correct, 'false' otherwise.
Input: Review: We booked our room on Priceline, and got a good deal at around $100 per night. We stayed for the first 2 nights of our US trip so didnt use too many of the hotel's facilities The hotel is centrally located, just over the Chicago River from the shops at North Michigan Avenue, and around a mile from Navy Pier Our room was clean and comfortable, and on the 29th floor we had a good view of the city, and could just about see Lake Michigan (though the weather was very bad). The layout of the room is a little peculiar, with the bed facing away from the window, but over all we have no complaints about this hotel, and unlike some other reviews we were not disturbed at all by noise from other guests So, pros and cons: Pros: Helpful and friendly staff Clean and comfortable throughout Spacious rooms Large and airy public areas Starbucks and gift shop in lobby Cons A large hotel, so a long walk from the elevators to the front desk / lobby area
Polarity: Negative
Output: | false |
Q: In this task you are expected to write an SQL query that will return the data asked for in the question. An SQL query works by selecting data from a table where certain conditions apply. A table contains columns where every row in that table must have a value for each column. Every table has a primary key that uniquely identifies each row, usually an id. To choose which columns are returned you specify that after the "SELECT" statement. Next, you use a "FROM" statement to specify what tables you want to select the data from. When you specify a table you can rename it with the "AS" statement. You can reference that table by whatever name follows the "AS" statement. If you want to select data from multiple tables you need to use the "JOIN" statement. This will join the tables together by pairing a row in one table with every row in the other table (Cartesian Product). To limit the number of rows returned you should use the "ON" statement. This will only return rows where the condition specified after the statement is true, this is usually an equals operator with primary keys. You can also use the "WHERE" statement to specify that only rows with column values statisfying a certain condition, should be returned. The "GROUP BY" statement will group rows together that have equal column values for whatever columns follows the statement. The "HAVING" statement will return groups that statisfy whatever condition follows the statement. Any column(s) being returned from grouped rows must either be an aggregate function, (AVG, MAX, COUNT, SUM, ...) of a column, or the column(s) that the data was grouped by. To sort the returned data you can use the "ORDER BY" command which will order the data by whatever aggregate function or column follows the statement. The "DESC" statement will sort in descending order and the "ASC" statement will sort in ascending order. Finally, you can use the "LIMIT" statement to return a certain number of rows. When "*" is used in an SQL statement every column is returned. For example, SELECT * FROM table WHERE attribute = 1, will select every column from rows with the attribute column equal to 1.
Find distinct cities of addresses of people?
A: | SELECT DISTINCT T1.city FROM addresses AS T1 JOIN people_addresses AS T2 ON T1.address_id = T2.address_id |
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.
Q: and { eq { max { all_rows ; points } ; 51 } ; eq { hop { argmax { all_rows ; points } ; club } ; rodiklis kaunas } }
A: | superlative |
Detailed Instructions: In this task you are given a list of numbers and you need to find the average of each two consecutive values. The average of two numbers a and b is calculated as: (a + b) /2. The output should be a list of the averages of each two consecutive values. A list is presented with two brackets and comma-separated values, like: [1,2,3].
Q: [47, -42, -75, -15, 89, 38, 18, 79, 26, 90, -66]
A: | [2.5, -58.5, -45.0, 37.0, 63.5, 28.0, 48.5, 52.5, 58.0, 12.0] |
Given a premise, an initial context, an original ending, and a counterfactual context, the task is to generate a new story ending aligned with the counterfactual context and as close to the original ending as possible. Each instance consists of a five-sentence story. The premise is the first sentence of a story, and the second sentence, which is the initial context, provides more information about the story's context and the story's general plot. The original ending is the last three sentences of the story. Also, a counterfactual context is a slight modification to the initial context. You should write a new story ending that edits the original story ending as little as possible to regain coherence with the counterfactual context. To sum up, you should write the last three sentences of a story based on the premise(first sentence) and the counterfactual context(second sentence) of the story.
One example is below.
Q: Premise: Susie was sitting on her barstool.
Initial Context: She kept kicking the counter with her feet.
Original Ending: Suddenly, her kick sent her falling backwards. The chair hit the ground with a thud and broke. Susie hurt her head and was really scared.
Counterfactual Context: She kept herself steady with her feet.
A: Suddenly, an earthquake sent her falling backwards. The chair hit the ground with a thud and broke. Susie hurt her head and was really scared.
Rationale: The generated new ending is perfect. It considers the counterfactual context and changes required parts in original ending.
Q: Premise: Uriah was bored, so he decided to take up a hobby.
Initial Context: After a bit of thinking, he decided he would try sewing.
Original Ending: He bought all the materials that he imagined he would need. As he began to start, he noticed he had forgotten to buy thread. He wondered aloud how he could forget such a crucial item.
Counterfactual Context: After a bit of thinking, he decided he would try painting.
A: | He bought all the materials that he imagined he would need. As he began to start, he noticed he had forgotten to buy paint. He wondered aloud how he could forget such a crucial item. |
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.
Example input: Onomatopeia sounds
Example output: my friend call this morning to hear the different sound she collect them in a bag and call me to her town the singing of the kettle the clanging of the anvil the ringing of the phone the wailing of the siren
Example explanation: the poem is related to sounds, and is in a style that resembles a poem instead of other kind of texts.
Q: What should i see and read?
A: | i should see the lord of the ring for the character sam be the real hero i should read the hobbit for bilbo baggins be brave |
Given the task definition and input, reply with output. 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.
But it wasn't until I turned 30 that I really got what this meant.
| Ali sve do svoje 30-e, nisam doista shvatila što to znači. |
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.
One example: [2,5,1,4],[2,5,8,4,2,0]
Solution is here: [2,4,5]
Explanation: The elements 2,4, and 5 are in both lists. This is a good example.
Now, solve this: [6, 3, 1, 9, 10, 5, 3] , [7, 7, 3, 10, 5, 6, 1]
Solution: | [1, 3, 5, 6, 10] |
Indicate if the following Polish tweet contains cyber-bullying content with 'Yes'; otherwise, respond with 'No'.
Tweet: @anonymized_account Biedni, chorzy psychicznie ludzie. Wszystko kojarzy się im z seksem. , Question: Does the tweet contain cyberbullying (harmful) content? | No |
In this task you will be given an arithmetic operation and you have to find its answer. The operators '+' and '-' have been replaced with new symbols. Specifically, '+' has been replaced with the symbol '@' and '-' with the symbol '#'. You need to perform the operations in the given equation return the answer
Q: 2984 # 596 # 8941 @ 4235 @ 5264 @ 351 # 3797 @ 7168 # 55
A: | 6613 |
Definition: In this task you are given a passage in Bulgarian as the input content. You are expected to generate a suitable title for the passage which accurately summarizes the contents of the passage. The input is provided in the form of a long passage comprising of multiple sentences. The output should be restricted to a maximum of 20 words which describe the passage and its contents. The output can include words from the passage.
Input: Content:Увеличението на газа с близо 30 процента от 1 април ще доведе до поскъпване на тока от 1,5 до 8 %. Това сочат разчетите на Комисията за енергийно и водно регулиране (КЕВР), които ще бъдат обсъдени на открито заседание на 30 март, а окончателното решение трябва да бъде взето на 7 април. Изчислено е, че при дневните тарифи за бита повишението ще е от 1.12 до 2.69 процента, а при нощните – от 1.52 до 7.9 на сто. В доклада на работната комисия на регулатора се посочва, че извънредните корекции за крайните цени на електроснабдителните дружества се налага заради отклонение между признатите от КЕВР прогнозни разходи на Национална електрическа компания“ (НЕК) и тези, които държавното дружество действително ще извършва. Заради поскъпването на цената на природния газ от април с близо 30 процента и на тарифите на топлинната и електрическата енергия от топлофикациите се налага промяна на таксата задължение към обществото, покриваща изброените горе разходи на НЕК. Тя ще се повиши с 3.49 процента от сегашните 35.77 лв/Мвтч на 37.02 лв. Така цената на тока, продаван от НЕК на електроснабдителните дружества става от 106.60 лв./МВтч на 107.90 лв. Регулаторът смята да повиши незначително и цената за пренос на електроенергията през мрежата на Електроенергийния системен оператор (ЕСО) от настоящите 7.32 лв./МВтч на 7.34 лв. Цената на ЕСО за достъп до мрежата остава същата в размер на 1.13 лв./мегаватчас. За крайните потребители това означава повишение, което ще е много слабо при дневната тарифа и малко по-голямо при нощната енергия. Според изчисленията на КЕВР то ще най-високо за битовите клиенти на ЧЕЗ, които ще трябва да плащат с 2.69 на сто повече за дневния ток и със 7.9 процента – за нощния. При захранваните от Енерго-Про домакинства поскъпването ще е 1.12 процента при дневната тарифа и 1.56 на сто - при нощната. Битовите клиенти на ЕВН ще плащат с 1.14% повече за ползваната през деня енергия и с 1.52 % – през нощта. Досега цената на нощния ток бе една и съща за всички домакинства, независимо кой е доставчикът им. За бита: Нови цени на тока без ДДС, лв./кВтч Сегашни цени на тока без ДДС, лв./кВтч ЧЕЗ ЕВН Енерго-Про ЧЕЗ ЕВН Енерго-Про Дневна 0,13085 0,12888 0,13628 0,12742 0,12742 0,13476 Нощна 0,05722 00,05722 0,05386 0,05303 0,05303 0,05303
Output: | Токът скача до 1,5% от 1 април в Пловдив |
In this task, you are given two strings A,B. You must perform the following operations to generate the required output list: (i) Find the longest common substring in the strings A and B, (ii) Convert this substring to all lowercase and sort it alphabetically, (iii) Replace the substring at its respective positions in the two lists with the updated substring.
Q: kUBmnMGAcJDyAzEQWGiTfTaa, IduGpEfEOkbFJCNnMGAcJDyAzEQWGiSmywZv
A: | kUBmaacdeggijmnqwyzTfTaa, IduGpEfEOkbFJCNaacdeggijmnqwyzSmywZv |
Definition: You will be given two sentences. One of them is created by paraphrasing the original one, with changes on an aspect, or using synonyms. Your task is to decide what is the difference between two sentences. Types of change are explained below:
Tense: The verbs in the sentence are changed in tense.
Number: Plural nouns, verbs and pronouns are changed into single ones or the other way around.
Voice: If the verbs are in active voice, they're changed to passive or the other way around.
Adverb: The paraphrase has one adverb or more than the original sentence.
Gender: The paraphrase differs from the original sentence in the gender of the names and pronouns.
Synonym: Some words or phrases of the original sentence are replaced with synonym words or phrases. Changes in the names of people are also considered a synonym change. Classify your answers into Tense, Number, Voice, Adverb, Gender, and Synonym.
Input: original sentence: John was doing research in the library when he heard a man humming and whistling . He was very annoyed . paraphrase: Mary was doing research in the library when she heard a woman humming and whistling . She was very annoyed .
Output: | Gender |
In this task, you are given an input list. A list contains several comma-separated items written within brackets. You need to return the position of all the alphabetical elements in the given list in order. Assume the position of the 1st element to be 1. Return -1 if no alphabetical element is in the list.
Example input: ['238', 'h', '92', 'U', '2799']
Example output: 2, 4
Example explanation: Here, the alphabetical elements in the input list are 'h' and 'U' and they are at positions '2' and '4', respectively.
Q: ['9635', 'J', '895', 'T', 'd', '3723', '5503', '3823', '7185', '7411', '51', 'V', '6991', '7859', '7827', '6053', 'z', '477', '8731', 'g', '8607', '4571', '7565', '9437', '3895', 'b', 'Q', 'I', 'O', '3439', 'c', '2559', '3087']
A: | 2, 4, 5, 12, 17, 20, 26, 27, 28, 29, 31 |
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.
One example: [16, 205, 171, 2, 9, 317]
Solution is here: [16, 256, 128, 2, 8, 256]
Explanation: Every integer in the input list is rounded to the nearest power of 2. The number 2 and 16 are in the input list and both are a power of 2, therefore rounding to the closest power of 2 returns the same number. This is a good example.
Now, solve this: [81, 1978, 1807, 2856, 12, 45, 3, 225]
Solution: | [64, 2048, 2048, 2048, 16, 32, 4, 256] |
Detailed Instructions: In this task you will be given a list of integers. You should remove any integer that is not prime. A prime integer is an integer that is only divisible by '1' and itself. The output should be the list of prime numbers in the input list. If there are no primes in the input list an empty list ("[]") should be returned.
Q: [724, 877, 443, 584, 706, 7, 476, 322, 981, 701, 311]
A: | [877, 443, 7, 701, 311] |
Detailed Instructions: 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.
Q: [-93.003 -99.176 -33.876 13.429 27.029]
A: | -99.176 |
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).
Example input: Entity 1: plant
Entity 2: leaf
Example output: yes
Example explanation: The answer is correct. Because the leaf is part of the plant. Therefore, here leaf is meronym and the plant is holonym.
Q: Entity 1: urine
Entity 2: water
A: | yes |
Adverse drug reactions are appreciably harmful or unpleasant reactions resulting from an intervention related to the use of medical products, which predicts hazard from future administration and warrants prevention or specific treatment, or alteration of the dosage regimen, or withdrawal of the product. Given medical case reports extracted from MEDLINE, the task is to classify whether the case report mentions the presence of any adverse drug reaction. Classify your answers into non-adverse drug event and adverse drug event.
Example: A case is reported of a child with fatal pulmonary fibrosis following BCNU therapy.
Example solution: adverse drug event
Example explanation: Here, the child is facing some trouble after undergoing a particular therapy, thereby causing an adverse effect of the therapy.
Problem: It was restarted 6 weeks later, and 10 weeks after that, the patient presented with fulminant hepatic failure, which resolved rapidly after cessation of nicotinic acid therapy.
| Solution: adverse drug event |
You will be given two sentences. One of them is created by paraphrasing the original one, with changes on an aspect, or using synonyms. Your task is to decide what is the difference between two sentences. Types of change are explained below:
Tense: The verbs in the sentence are changed in tense.
Number: Plural nouns, verbs and pronouns are changed into single ones or the other way around.
Voice: If the verbs are in active voice, they're changed to passive or the other way around.
Adverb: The paraphrase has one adverb or more than the original sentence.
Gender: The paraphrase differs from the original sentence in the gender of the names and pronouns.
Synonym: Some words or phrases of the original sentence are replaced with synonym words or phrases. Changes in the names of people are also considered a synonym change. Classify your answers into Tense, Number, Voice, Adverb, Gender, and Synonym.
Q: original sentence: Alice looked for her friend Jade in the crowd . Since she always wears a red turban , Alice spotted her quickly . paraphrase: Alice is looking for her friend Jade in the crowd . Since she always wears a red turban , Alice will spot her quickly .
A: | Tense |
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.
Q: I_WALK I_WALK I_WALK I_TURN_LEFT I_TURN_LEFT
A: | walk thrice and turn opposite left |
Q: Write a fact related to the given fact, based on the given topic word. Note that, your fact should have at least one word in common with the given fact. All facts in this task refer to scientific facts. Your related fact must form a chain with the given fact. Chains form when two facts connect together to produce the third fact. An example of a chain is: "pesticides cause pollution" (given fact) + "pollution can harm animals" (related fact) → "pesticides can harm animals" (connected chain). Avoid creating simple paraphrases of the given fact. While your generated fact should be related to the input fact, they must describe slightly different scientific phenomena. It's okay if your related fact includes some irrelevant information, provided that it has some overlap with the given fact and it contains some words corresponding to the provided topic.
Fact: Some species of reptiles can go several weeks between meals.
Topic: meal is a food.
A: | Meals are hot or cold prepared food. |
Indicate if the following Polish tweet contains cyber-bullying content with 'Yes'; otherwise, respond with 'No'.
Q: Tweet: @anonymized_account @anonymized_account Mam nadzieję że mu wpierdolili porządnie , Question: Does the tweet contain cyberbullying (harmful) content?
A: | Yes |
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.
Example input: Jess Mastriani: No, I don't want another crooler, thank you very much.
FBI Agent Nicole Scott: But it's good for you. It's got... honeyglaze. Please die for this crooler, Jess.
Jess Mastriani: I've had _ two _ already. Who eats three croolers in a night?
FBI Agent Nicole Scott: Take a look. [Nicole takes a huge bite] Mmmmm, Mmmmm, Mmmmm!
Example output: REFERENCE crooler
Example explanation: In this example, the number two refers to something that appears in this text. In this example, it refers to the word: crooler.
Q: Carl Denham: I 'll give you another thousand if we leave right now .
Captain Englehorn: You haven't given me the first _ thousand _ yet .
Carl Denham: Can we talk about this later ? Ca n't you see we are in the company of a VIP guest ?
Captain Englehorn: Ma'am .
Ann Darrow: Ann Darrow .
A: | CURRENCY |
In this task you are given a passage in Bulgarian as the input content. You are expected to generate a suitable title for the passage which accurately summarizes the contents of the passage. The input is provided in the form of a long passage comprising of multiple sentences. The output should be restricted to a maximum of 20 words which describe the passage and its contents. The output can include words from the passage.
Content:На тотален обстрел в ранния сутрешен ефир на Би Ти Ви беше подложен бившият здравен министър Петър Москов. Воля на емоциите си срещу реформатора дадоха предшественичката му във ведомството д-р Таня Андреева, уволненият от него шеф на болница „Свети Иван Рилски” Дечо Дечев и председателят на Центъра за защита на правата в здравеопазването д-р Стойчо Кацаров. Въвеждането на пръстовия идентификатор само по себе си е незаконно, тъй като няма закон, който да регламентира тази идентификация, заяви Таня Андреева. Според нея, Москов е подвел целия си екип с новаторските си дейности. На практика, след министър Москов нищо не остана в министерството, допълни Андреева. Нужно е преосмисляне модела на финансиране в здравеопазването, контрола и въвеждането на електронно здравеопазване, категорична е бившата министърка. Според д-р Дечо Дечев в поверената му отново болница „Свети Иван Рилски” са закупени около 20 идентификатора, които в момента стават излишни. Огромните приходи за конкретно заинтересувани кръгове са за подръжката на т.нар. абонаментни четци, която се прави от определени фирми, обясни Дечев. Тези две години бяха една безсмислена щуротия, допълни всеобщата критика д-р Стойчо Кацаров. | Колеги попиляха Москов: След него нищо не остана в здравеопазването |
1. No, fans of "Mamma Mia!" won't be too thrilled with "Repo! The Genetic Opera."
2. Repo! lingers long after it ends, due in great part to a handful of memorable tunes and its persistent funky attitude, marked by an impressive desire to savor oddity and unconventional displays of heartache.
3. Bousman's editing and camera angles are consistently inventive, and the production design (Blade Runner is a big influence, as is Disneyland's "Haunted Mansion" attraction) squeezes a lot of bang out of every buck.
4. [A] gory, off-putting musical, which tries to combine Gothic rock stylings with the grotesque sensibilities of so-called, 'torture-porn' horror-thrillers.
5. As it has evolved from a 10-minute cabaret piece, through a short film Bousman made in Toronto, to the big screen, Repo! The Genetic Opera has gained in both guts and gusto.
6. clearly strives to defy description, which of course makes it fun to describe
7. David Cronenberg might have made a great movie with the plot to Repo! The Genetic Opera.
8. Repo! is a bloody grotesquerie, not a delicious delight as was Rocky Horror.
9. All-out thriller with few Bond touches but plenty of high-octane action.
10. It's not often you come across a film as unique as this, and while my taste for liver, lights, and sweetbreads isn't what it once was, this is still a fine post-Halloween aperitif, with guts to spare.
Write a one sentence summary of the reviews above. | Bombastic and intentionally gross, Repo! The Genetic Opera has a unique style but lacks the wit and substance to be involving. |
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.
One example is below.
Q: It is usually just as religiously important to same-sex couples to be married as it is for opposite-sex couples, and no one should be able to tell those people that the government cannot recognize their relationship.
A: Valid
Rationale: It is a clear argument that supports gay marriage by saying it is as religiously important as opposite-sex marriage.
Q: Yes, on paper, gays aren't constitutionally discriminated against, though many on your side of the fence have been agitating to change that with the anti-marriage constitutional amendment.
A: | Valid |
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.
One example: “Wo ọmọọ̀ mi dè mí”: ó ń lo kíjìpá mẹ́ta gbó; mélòó ni ọlọ́mọọ́ máa lò gbó?
Solution is here: “Look after the child for me”: she wears three durable hand-loom wrappers to tatters; how many would the mother of the child herself wear out?
Explanation: The Yoruba sentence is properly translated to the English language as both the sentences convey the same meaning and both the sentences are in sentence case and it preserves the punctuation marks as well.
Now, solve this: A kì í dá ẹ̀rù okó ńlá ba arúgbó.
Solution: | One should not attempt to scare an old “woman” with a huge penis. |
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.
Example: [2, 5, 9, 6, 11]
Example solution: [2, 5, 11]
Example explanation: 6 and 9 are removed from the list because they are divisible by 3.
Problem: [57, -33, 29, -32, 89, 84, -52, -14, -84, 70]
| Solution: [29, -32, 89, -52, -14, 70] |
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.
Input: Consider Input: Eligible patients were randomly assigned at enrollment to receive three weekly doses of epoetin alfa 40,000 U subcutaneously ( SC ) , followed by either standard weekly epoetin alfa ( 40K arm ) or 120,000 U of epoetin alfa ( 120K arm ) SC every 3 weeks for 18 additional weeks .
Output: epoetin alfa
Input: Consider Input: Group 1 received a weekly session of posterior tibial nerve stimulation for 12 weeks and group 2 was the placebo group .
Output: posterior tibial nerve stimulation, placebo
Input: Consider Input: To compare the effect of a Social Skills Training Group-based Program ( SST-GP ) and a Leisure Activities Group-based Program ( LA-GP ) on the perception of facial emotions and quality of life ( QoL ) in young people with HFA .
| Output: Social Skills Training Group-based Program, SST-GP, Activities Group-based Program, LA-GP
|
Teacher: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.
Teacher: Now, understand the problem? Solve this instance: buscar restaurantes " vegetarian " con opiniones de 6 estrellas o superior.
Student: | search for " vegetarian " restaurants with 6 star reviews or better . |
Detailed Instructions: Two analogies that relate objects to the associated rooms is given in the form "A : B. C : ?". "A : B" relates object A to room B. Your task is to replace the question mark (?) with the appropriate room for the given object C, following the "A : B" relation.
Problem:cabinet : bathroom. bed : ?
Solution: | bedroom |
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.
Input: Consider Input: Governments are addicted to removing people's rights, and every effort should be made to prevent them from doing so.
Output: Valid
Input: Consider Input: Or how about their opinion that plastic pellet guns are considered true guns, only to immediately reverse their previous decision?
Output: Valid
Input: Consider Input: Furthermore there is nothing that would conclusively suggest denying this individual a concealed carry permit would have prevented the shooting from occurring.
| Output: Valid
|
In this task, you will be shown an English sentence. You need to classify the sentence as either a representation of an anaphor number agreement or as an incorrect representation. An anaphor is an expression whose interpretation depends upon another expression. Anaphor number agreement is a restriction where a phrase agrees with the preceeding expression: plurals match plurals or singular expressions match singular expressions. In this task a valid representation of anaphor number agreement should be denoted as 'good' while everything else should be denoted as 'bad'. A correct representation of an anaphor number agreement will be a grammatically correct instance of a sentence where the subject and self-referencing nouns match plurality. An incorrect representation is a sentence in which the subject and self-referencing noun's plurality do not match.
Example: Bob helped himself to some food.
Example solution: good
Example explanation: The use of himself agrees with the singular subject Bob.
Problem: That play isn't disagreeing with itself.
| Solution: good |
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.
One example is below.
Q: I_TURN_LEFT I_JUMP
A: jump left
Rationale: If the agent turned to the left and jumped, then the agent jumped to the left.
Q: I_TURN_RIGHT I_TURN_RIGHT I_RUN I_TURN_RIGHT I_TURN_RIGHT I_JUMP
A: | run opposite right and jump opposite right |
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: The site collects your unspecified information for analytics or research. Collection happens by some means outside of our label scheme.
A: | Unspecified |
Q: 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
any statements in the following decisions which are inconsistent with the views expressed herein are hereby disapproved:
A: | overruling |
Instructions: Given a statement about date and time, state whether the statement is true or false. The number of date/time operands in the statement ranges between 2 and 3. Let's say the values are denoted by t1, t2 and t3. The statements follow one of the following ten templates: 't1 occurs before t2, t1 doesn't occur before t2, t1 occurs after t2, t1 doesn't occur after t2, t1 occurs between t2 and t3, t1 doesn't occur between t2 and t3, t1 occured before t2 but after t3, t1 occured after t2 but before t3, t1 didn't occur before t2 but after t3, t1 didn't occur after t2 but before t3'. The output should be either 'True' or 'False'.
Input: 12:58:15 doesn't occur before 18:26:22
Output: | False |
Teacher:Indicate with `Yes` if the given question involves the provided reasoning `Category`. Indicate with `No`, otherwise. We define five categories of temporal reasoning. First: "event duration" which is defined as the understanding of how long events last. For example, "brushing teeth", usually takes few minutes. Second: "transient v. stationary" events. This category is based on the understanding of whether an event will change over time or not. For example, the sentence "he was born in the U.S." contains a stationary event since it will last forever; however, "he is hungry" contains a transient event since it will remain true for a short period of time. Third: "event ordering" which is the understanding of how events are usually ordered in nature. For example, "earning money" usually comes before "spending money". The fourth one is "absolute timepoint". This category deals with the understanding of when events usually happen. For example, "going to school" usually happens during the day (not at 2 A.M). The last category is "frequency" which refers to how often an event is likely to be repeated. For example, "taking showers" typically occurs ~5 times a week, "going to Saturday market" usually happens every few weeks/months, etc.
Teacher: Now, understand the problem? Solve this instance: Sentence: He then starred in a TV show Which was a failure both critically and commercially .
Question: How often does he perform in TV shows?
Category: Frequency.
Student: | Yes. |
In this task you will be given an arithmetic operation and you have to find its answer. The operators '+' and '-' have been replaced with new symbols. Specifically, '+' has been replaced with the symbol '@' and '-' with the symbol '#'. You need to perform the operations in the given equation return the answer
6578 # 9290 # 6787 @ 1330 # 5432 | -13601 |
Given a hotel review and the corresponding polarity of review (i.e., Negative or Positive) identify if the polarity is correct. Write 'true' if it's correct, 'false' otherwise.
Let me give you an example: Review: I stayed at the Hilton Chicago for my cousins wedding. The service was impeccable. Not only was the staff attentive, they were respectful and careful not to interrupt the guests or make themselves known when serving dinner. I had the chicken wellington and it was to die for! The chicken was perfect and moist but the pastry crust was flaky and crispy. They even had Pakistani dinner options for some of the guests. The amenities were great, and after an open bar the night before, the Mimosas and brunch buffet couldn't have been better! I would love to have my wedding there.
Polarity: Positive
The answer to this example can be: true
Here is why: Review writer likes the hotel. There are strong positive words like 'impeccable' and 'great'. Therefore it is true as the polarity mentioned.
OK. solve this:
Review: We've just returned from a two night stay at the Affinia Chicago and our visit was delightful. Thanks to tripadvisor reviews we were prepared for the major construction work on the facade and entrance..it was a mess. And the hotel restaurant and bar remain incomplete and unavailable. Even parts of the lobby had "wet paint" stickers. All these things could have made for a disappointing stay. Not so!! Although we arrived very early in the day our suite was ready along with a most warm and gracious greeting from the front desk staff. After just a few minutes we felt like we were "at home." The suite on the 25th floor, with a fab view along a wall of windows, was sparkling fresh and clean. The bathroom lighting was outstanding and led to my bride of nearly 50 years saying that it made her look younger...she was right! Everything in and about the room was "like-new" and very stylish. As a visitor we appreciated the very convenient location just a few steps from the Magnificient Mile and all of its ambiance. Thanks to a dedicated and gracious staff, a fantastic location, and chic decorating elements, this hotel can and will be our future hotel of choice in Chicago. The stay was short..but sweet.
Polarity: Negative
Answer: | false |
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.
Let me give you an example: News Headline: France is ‘ hunting down its citizens who joined {Isis} without trial in Iraq
Edit: twins
The answer to this example can be: Not Funny
Here is why: The edited sentence is not making much sense, therefore it's not funny.
OK. solve this:
News Headline: Trump Defends Obama 's For-Profit College {Crackdown}
Edit: hazing
Answer: | Not Funny |
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.
One example: If gun bans worked there would be no gun deaths in the countries that have banned guns.
Solution is here: Valid
Explanation: It is an argument that claims that gun bans will not work.
Now, solve this: Sue the Gun Makers for making a legal Produce, sue the Gun Shops who must get the FBI's permission in order to sell a gun to an American Citizen.
Solution: | Valid |
Detailed Instructions: In this task, you need to provide the parts-of-speech tag of a word present in a sentence specified within curly braces ( '{{ ... }}' ). The parts-of-speech tags are fine labels that represent a category of words with similar grammatical properties. The list of part-of-speech tags i.e tagset of this corpus is : '$': Dollar Sign, "''": Single Quotes, ',': Comma Symbol, '-LRB-': Left Parantheses, '-RRB-': Right Parantheses, '.': Period, ':': Colon, 'ADD': Email Address, 'AFX': Affix, 'CC': Coordinating conjunction, 'CD': Cardinal Number, 'DT': Determiner, 'EX': Existential there, 'FW': Foreign Word, 'GW': Go with, 'HYPH': Hyphen symbol, 'IN': Preposition or a subordinating conjunction, 'JJ': Adjective, 'JJR': A comparative Adjective, 'JJS': A Superlative Adjective, 'LS': List item Marker, 'MD': Modal, 'NFP': Superfluous punctuation, 'NN': Singular Noun, 'NNP': Singular Proper Noun, 'NNPS': Prural Proper Noun, 'NNS': Prural Noun, 'PDT': Pre-determiner, 'POS': Possessive Ending, 'PRP': Personal pronoun, 'PRP$': Possessive Pronoun, 'RB': Adverb, 'RBR': Comparative Adverb, 'RBS': Superlative Adverb, 'RP': Particle, 'SYM': Symbol, 'TO': To , 'UH': Interjection, 'VB': Base form Verb, 'VBD': Verb in Past tense, 'VBG': Verb in present participle, 'VBN': Verb in past participle, 'VBP': Verb in non-3rd person singular present, 'VBZ': Verb in 3rd person singular present, 'WDT': Wh-determiner, 'WP': Wh-pronoun, 'WP$' Possessive Wh-pronoun, 'WRB': Wh-adverb, 'XX': Unknown, '``': Double backticks.
Q: Sentence: Add only silk plants as plastic ones may tear up ur betta {{ s }} delicate fins .
Word: s
A: | POS |
A ploynomial equation is a sum of terms. Here each term is either a constant number, or consists of the variable x raised to a certain power and multiplied by a number. These numbers are called weights. For example, in the polynomial: 2x^2+3x+4, the weights are: 2,3,4. You can present a polynomial with the list of its weights, for example, equation weights = [6, 4] represent the equation 6x + 4 and equation weights = [1, 3, 4] represent the equation 1x^2 + 3x + 4. In this task, you need to compute the result of a polynomial expression by substituing a given value of x in the given polynomial equation. Equation weights are given as a list.
Q: x = 6, equation weights = [5, 9]
A: | 39 |
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
Example: The site collects your cookies or tracking elements for a basic service or feature. Collection happens in an unspecified way, and your data is aggregated or anonymized.
Example solution: Cookies and tracking elements
Example explanation: The type of user information collected is clearly stated in the given policy text as 'cookies or tracking elements'
Problem: The site collects your demographic information for an additional (non-basic) service or feature. Collection happens when you explicitly provide information in an unspecified way. You can opt in for data collection for the collection of your information.
| Solution: Demographic |
In this task, you will be given a sentence about a person. You should determine how the sentence affects how the person is perceived by most people in society. Your choices are:
Positive: The social perception of [PERSON] in the sentence is considered predominantly positive.
Negative: The social perception of [PERSON] in the sentence is considered predominantly negative.
No impact: There is no clear impact of social perception of [PERSON] associated with the sentence.
Example Input: [PERSON] was known for having a certain kind of temper, a temper that would lead to him losing his temper, or he would get mad at him or he would get angry
Example Output: Negative
Example Input: [PERSON] was well-known for being a very popular rapper, who had a lot of success.
Example Output: Positive
Example Input: [PERSON] earned money by stealing her $500 from a bank.
Example Output: | Negative
|
You will be given a definition of a task first, then some input of the task.
Given an input word generate a word that rhymes exactly with the input word. If not rhyme is found return "No"
true
Output: | pooh |
In this task, you are given two strings A,B. You must perform the following operations to generate the required output list: (i) Find the longest common substring in the strings A and B, (ii) Convert this substring to all lowercase and sort it alphabetically, (iii) Replace the substring at its respective positions in the two lists with the updated substring.
Q: tMrGkoWLyFXAGlMNrAADwiNVtPSoPctuwbzAH, tLHdodkRAADwiNVtPSoPctuwboBLndFDbeMt
A: | tMrGkoWLyFXAGlMNraabcdinoppsttuvwwzAH, tLHdodkRaabcdinoppsttuvwwoBLndFDbeMt |
Given a short bio of a person, find the minimal text span containing the date of birth of the person. The output must be the minimal text span that contains the birth date, month and year as long as they are present. For instance, given a bio like 'I was born on 27th of Decemeber 1990, and graduated high school on 23rd October 2008.' the output should be '27th of December 1990'.
[Q]: Lloyd was born on October 22, 1938, in Stamford, Connecticut, the son of Ruth Lloyd (née Lapham; 1896–1984), a singer and sister of San Francisco mayor Roger Lapham, and her lawyer husband Samuel R
[A]: October 22, 1938
[Q]: Kim Victoria Cattrall was born on 21 August 1956 in the Mossley Hill district of Liverpool, the daughter of secretary Gladys Shane (née Baugh) and construction engineer Dennis Cattrall
[A]: 21 August 1956
[Q]: George Raymond Stevenson was born in Lisburn on 25 May 1964, the second of three sons born to Irish parents
[A]: | 25 May 1964
|
Find the movie name from the given conversation. If the movie name is not found give output as "unknown"
Input: Consider Input: ASSISTANT: What kind of movies do you not like? , USER: I don't like horror movies, and I don't like drama movies. , ASSISTANT: Why do you not like Horror movies? , USER: I find they're often too predictable and too cliche. Usually, the plots are really similar which is that there is something scary, nobody knows about it, but it's killing people or terrorizing people or something. And then they figure it and they usually they end up beating it or locking it away or whatever it is that ends up happening to it. , ASSISTANT: What kind of movies do you like the most? , USER: It's a toss-up between comedy and war movies. , ASSISTANT: What was the last movie that you watched that disappointed you , USER: Deadpool
Output: Deadpool
Input: Consider Input: ASSISTANT: What type of movies do you like? , USER: I really like action movies. , ASSISTANT: Why do you like those movies? , USER: I like the I like the action in them. I like the nonstop sort of rhythm to the movie. It sort of takes you out of reality, really immerses you into the movie. They usually are a lot of fun, although I do prefer the ones that aren't quite so violent, but in general, it's really a nice escape and a lot of fun. , ASSISTANT: What movie specifically do you like? , USER: My favorite is probably Bourne Ultimatum.
Output: Bourne Ultimatum
Input: Consider Input: ASSISTANT: what kind of movies do u like to watch , USER: I typically like Sci-Fi movies. , ASSISTANT: why is that , USER: They typically have imaginative storylines, and fantastical graphics, and things like that. , ASSISTANT: can you name a specific movie that you like that fits that category, and what aspects you like about the movie type , USER: I recently re watched The Matrix and it held up really well. It has a pretty decent plot, the production value there are outstanding and it just looks really good for a movie from the 2000s.
| Output: The Matrix
|
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.
Example: Aromi is an English restaurant in the city centre.
Example solution: name[Aromi], eatType[restaurant], food[English], area[city centre]
Example explanation: The output correctly parses all the parseable attributes in the input, no more, no less.
Problem: There is a children friendly high-priced restaurant called Green Man located near the All Bar One in the city centre that provides Chinese food.
| Solution: name[Green Man], food[Chinese], priceRange[high], area[city centre], familyFriendly[yes], near[All Bar One] |
Instructions: In this task, you're given a dialogue between a customer and a flight booking agent with a gap in the conversation. Your job is to find the answer of the previous dialogue. Avoid using irrelevant extra information while creating the answer. The answer should be relevant to the question before the blank. If you fill the blank with a question, it should have an answer from the agent in the given dialogue. Fill the gap marked with underline.
Input: customer: Hello.
__
customer: Please book a flight ticket from EWR to OAK?
agent: Sure, may I know your trip dates?
customer: My journey dates are Oct 04 and Oct 06.
agent: Do you have any class preference?
customer: No.
agent: Any other requirements to be met?
customer: I need a connecting flight.
agent: May I know your name?
customer: I am Matthew Williams.
agent: Southwest airlines flight- 1027 of price 100 with connection in economy class matches your given details, shall I proceed?
customer: Go ahead.
agent: Ok, your flight ticket has been booked.
customer: Thank you for your help.
agent: Thank you for reaching us.
Output: | agent: Hello, how may I assist you today? |
Given a premise, an initial context, an original ending, and a counterfactual context, the task is to generate a new story ending aligned with the counterfactual context and as close to the original ending as possible. Each instance consists of a five-sentence story. The premise is the first sentence of a story, and the second sentence, which is the initial context, provides more information about the story's context and the story's general plot. The original ending is the last three sentences of the story. Also, a counterfactual context is a slight modification to the initial context. You should write a new story ending that edits the original story ending as little as possible to regain coherence with the counterfactual context. To sum up, you should write the last three sentences of a story based on the premise(first sentence) and the counterfactual context(second sentence) of the story.
Q: Premise: Sam always felt really sick and uncomfortable.
Initial Context: He decided to read about how he could fix it.
Original Ending: He learned that he didn't drink nearly enough water. He began drinking more water each day. Soon he felt much better.
Counterfactual Context: He got worse and had to be hospitalized.
A: | He learned that he didn't drink nearly enough water. He began drinking more water each day. Soon he felt much better. |
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.
Example input: News Headline: France is ‘ hunting down its citizens who joined {Isis} without trial in Iraq
Edit: twins
Example output: Not Funny
Example explanation: The edited sentence is not making much sense, therefore it's not funny.
Q: News Headline: Half of world 's {children} at risk of war , poverty , discrimination , report finds
Edit: balloons
A: | Not Funny |
Teacher:In this task you are given a passage in Bulgarian as the input content. You are expected to generate a suitable title for the passage which accurately summarizes the contents of the passage. The input is provided in the form of a long passage comprising of multiple sentences. The output should be restricted to a maximum of 20 words which describe the passage and its contents. The output can include words from the passage.
Teacher: Now, understand the problem? Solve this instance: Content:Сутринта ще е студено с минимални температури между минус 4° и 1°. През деня ще е слънчево. Със слаб предимно западен вятър температурите ще се повишат и максималните ще са от 13° до 18°. За Шумен минимални 4, максимални 17 градуса. Атмосферното налягане е по Източник на топ новината: : Слънчев вторник
Student: | Слънчев вторник | Топ Новина |
Given a hotel review and the corresponding polarity of review (i.e., Negative or Positive) identify if the polarity is correct. Write 'true' if it's correct, 'false' otherwise.
Example: Review: I stayed at the Hilton Chicago for my cousins wedding. The service was impeccable. Not only was the staff attentive, they were respectful and careful not to interrupt the guests or make themselves known when serving dinner. I had the chicken wellington and it was to die for! The chicken was perfect and moist but the pastry crust was flaky and crispy. They even had Pakistani dinner options for some of the guests. The amenities were great, and after an open bar the night before, the Mimosas and brunch buffet couldn't have been better! I would love to have my wedding there.
Polarity: Positive
Example solution: true
Example explanation: Review writer likes the hotel. There are strong positive words like 'impeccable' and 'great'. Therefore it is true as the polarity mentioned.
Problem: Review: The Talbott Hotel is fantastic! I stayed there on business and found that it met my every need. The high speed internet access worked flawlessly; allowed me to do much of my work from the comfort of my luxuriously appointed room. I really like to exercise before a day of meetings; access to the fitness club next door was very convenient. Last point: I work for a green consulting firm out of L.A. and the hotel's environmental credentials dovetailed perfectly with our mission. Guilt free luxury!
Polarity: Positive
| Solution: true |
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.
Example input: I want you now to imagine a wearable robot that gives you superhuman abilities, or another one that takes wheelchair users up standing and walking again.
Example output: Želim da sada zamislite nosiv robot koji vam daje nadljudske sposobnosti, ili neki drugi koji omogučuje korisnicima invalidskih kolica da stoje i ponovno hodaju.
Example explanation: The translation correctly preserves the characters in Croatian.
Q: And you might think this is a small thing, but I think it's important because it sets a tone and it reinforces the dangerous idea that politics is a spectator sport.
A: | I možda ćete misliti kako je ovo mala stvar, ali ja mislim da je važno jer daje ton i osnažuje opasnu ideju kako je politika sport za praćenje. |
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.
Example: It is gonig to rain today.
Example solution: gonig
Example explanation: The word 'gonig' is a typo of the word 'going' as the characters 'i' and 'n' have been swaped.
Problem: A man satnding on the side of a road holding a smart phone.
| Solution: satnding |
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: discrimination against gay marriage is based solely on religious beliefs and amounts to establishment of religion
Output: | Valid |
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: What is the level name of the cheapest catalog (in USD)?
A: | SELECT t2.catalog_level_name FROM catalog_contents AS t1 JOIN catalog_structure AS t2 ON t1.catalog_level_number = t2.catalog_level_number ORDER BY t1.price_in_dollars LIMIT 1 |
Given a part of privacy policy text, identify the purpose for which the user information is collected/used. The purpose should be given inside the policy text, answer as 'Not Specified' otherwise
Example input: The site collects your IP address or device IDs for advertising. Collection happens when you implicitly provide information on the website.
Example output: Advertising
Example explanation: The given policy text states that it uses user information for 'advertising' explicitly
Q: The site does not collect your generic personal information for an unspecified purpose. Collection happens on the website for a user type outside of our label scheme, and your data is identifiable. You can configure your privacy using a method outside our label scheme for the collection of your information.
A: | Unspecified |
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.
Q: [-37.382 -92.158 -62.496 -75.918 45.306 -58.57 -66.281 -71.61 43.748]
A: -92.158
****
Q: [-69.225 -69.543 22.5 -82.567 60.904 -48.021]
A: -82.567
****
Q: [ 97.691 9.911 96.848 -52.125 -89.099 11.149 87.032 -5.645]
A: | 97.691
****
|
Read the given sentence and if it is a general advice then indicate via "yes". Otherwise indicate via "no". advice is basically offering suggestions about the best course of action to someone. advice can come in a variety of forms, for example Direct advice and Indirect advice. (1) Direct advice: Using words (e.g., suggest, advice, recommend), verbs (e.g., can, could, should, may), or using questions (e.g., why don't you's, how about, have you thought about). (2) Indirect advice: contains hints from personal experiences with the intention for someone to do the same thing or statements that imply an action should (or should not) be taken.
Q: Perhaps in the meantime you do n't have the intrinsic motivation it takes to just quit both of those things , as it would leave you feeling a bit lost .
A: | no |
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.
Q: 04:16 Hrs
A: 04:16 AM
****
Q: 11:23 Hrs
A: 11:23 AM
****
Q: 13:05 Hrs
A: | 01:05 PM
****
|
Find the movie name from the given conversation. If the movie name is not found give output as "unknown"
ASSISTANT: Hello. What kind of movies do you like? , USER: I like horror movies. , ASSISTANT: What is it about horror movies that you like , USER: They just give me some excitement, you know? I get excited and this adrenaline rush, but I just enjoy it in general. , ASSISTANT: Anything else about horror movies that you like , USER: The graphics, the demons, exorcism, everything. I'm just excited to watch this kind of movies you know like the jump scares, everything is exciting for me. Other movies are boring for me to be honest. , ASSISTANT: Can you name a horror movie that you like , USER: The Conjuring | The Conjuring |
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.
Q: Makeup
A: | make ups theya're pretty theya're sparkley they make you look so good theya're colorful theya're useful theya're very new too |
Given the task definition and input, reply with output. In this task you are expected to write an SQL query that will return the data asked for in the question. An SQL query works by selecting data from a table where certain conditions apply. A table contains columns where every row in that table must have a value for each column. Every table has a primary key that uniquely identifies each row, usually an id. To choose which columns are returned you specify that after the "SELECT" statement. Next, you use a "FROM" statement to specify what tables you want to select the data from. When you specify a table you can rename it with the "AS" statement. You can reference that table by whatever name follows the "AS" statement. If you want to select data from multiple tables you need to use the "JOIN" statement. This will join the tables together by pairing a row in one table with every row in the other table (Cartesian Product). To limit the number of rows returned you should use the "ON" statement. This will only return rows where the condition specified after the statement is true, this is usually an equals operator with primary keys. You can also use the "WHERE" statement to specify that only rows with column values statisfying a certain condition, should be returned. The "GROUP BY" statement will group rows together that have equal column values for whatever columns follows the statement. The "HAVING" statement will return groups that statisfy whatever condition follows the statement. Any column(s) being returned from grouped rows must either be an aggregate function, (AVG, MAX, COUNT, SUM, ...) of a column, or the column(s) that the data was grouped by. To sort the returned data you can use the "ORDER BY" command which will order the data by whatever aggregate function or column follows the statement. The "DESC" statement will sort in descending order and the "ASC" statement will sort in ascending order. Finally, you can use the "LIMIT" statement to return a certain number of rows. When "*" is used in an SQL statement every column is returned. For example, SELECT * FROM table WHERE attribute = 1, will select every column from rows with the attribute column equal to 1.
Show all product names and the total quantity ordered for each product name.
| SELECT T2.product_name , sum(T1.product_quantity) FROM Order_items AS T1 JOIN Products AS T2 ON T1.product_id = T2.product_id GROUP BY T2.product_name |
Answer the following question: Generate a 5-star review (1 being lowest and 5 being highest) about an app with package com.google.android.gms.
Answer: | besttt |
Detailed Instructions: 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.
Q: [ 5.963 17.536 -25.268]
A: | -25.268 |
In this task you're given two statements in Marathi. You must judge whether the second sentence is the cause or effect of the first one. The sentences are separated by a newline character. Output either the word 'cause' or 'effect' .
Q: मुलाला जीवघेणा आजार झाला.
तिला लसी मिळाली नाही.
A: | cause |
Detailed Instructions: 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.
Q: The Plough is a low priced pub near Café Rouge that is not family friendly.
A: | name[The Plough], eatType[pub], food[English], priceRange[less than £20], familyFriendly[no], near[Café Rouge] |
You are given a sentence in Arabic. Your job is to translate the Arabic sentence into Galician.
Example input: ويوجد أساسا مرجل دوار.
Example output: É basicamente un caldeiro que rota.
Example explanation: The Arabic sentence is correctly translated into Galician, because the meaning is preserved.
Q: إذا ارادوا خلط الكيك, فهم يفعلون ذلك يدويا.
A: | Se queren facer unha tarta, fana á man. |
Definition: 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.
Input: Did M4 's executive producer , director , cinematographer , producer , and art director write M0 , M1 , M2 , and M3
Output: | SELECT count(*) WHERE {
?x0 ns:film.cinematographer.film M4 .
?x0 ns:film.director.film M4 .
?x0 ns:film.film_art_director.films_art_directed M4 .
?x0 ns:film.producer.films_executive_produced M4 .
?x0 ns:film.producer.film|ns:film.production_company.films M4 .
?x0 ns:film.writer.film M0 .
?x0 ns:film.writer.film M1 .
?x0 ns:film.writer.film M2 .
?x0 ns:film.writer.film M3
} |
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.
Q: password = rz0KHxRVwtTOxQU2dLFdiutfKo6
A: | 7 |
Detailed Instructions: In this task, you need to provide the parts-of-speech tag of a word present in a sentence specified within curly braces ( '{{ ... }}' ). The parts-of-speech tags are fine labels that represent a category of words with similar grammatical properties. The list of part-of-speech tags i.e tagset of this corpus is : '$': Dollar Sign, "''": Single Quotes, ',': Comma Symbol, '-LRB-': Left Parantheses, '-RRB-': Right Parantheses, '.': Period, ':': Colon, 'ADD': Email Address, 'AFX': Affix, 'CC': Coordinating conjunction, 'CD': Cardinal Number, 'DT': Determiner, 'EX': Existential there, 'FW': Foreign Word, 'GW': Go with, 'HYPH': Hyphen symbol, 'IN': Preposition or a subordinating conjunction, 'JJ': Adjective, 'JJR': A comparative Adjective, 'JJS': A Superlative Adjective, 'LS': List item Marker, 'MD': Modal, 'NFP': Superfluous punctuation, 'NN': Singular Noun, 'NNP': Singular Proper Noun, 'NNPS': Prural Proper Noun, 'NNS': Prural Noun, 'PDT': Pre-determiner, 'POS': Possessive Ending, 'PRP': Personal pronoun, 'PRP$': Possessive Pronoun, 'RB': Adverb, 'RBR': Comparative Adverb, 'RBS': Superlative Adverb, 'RP': Particle, 'SYM': Symbol, 'TO': To , 'UH': Interjection, 'VB': Base form Verb, 'VBD': Verb in Past tense, 'VBG': Verb in present participle, 'VBN': Verb in past participle, 'VBP': Verb in non-3rd person singular present, 'VBZ': Verb in 3rd person singular present, 'WDT': Wh-determiner, 'WP': Wh-pronoun, 'WP$' Possessive Wh-pronoun, 'WRB': Wh-adverb, 'XX': Unknown, '``': Double backticks.
Q: Sentence: I have also had an 80 yr old that I take of sent to the ER and long stays {{ in }} the hospital .
Word: in
A: | IN |
In this task, you will be given a sentence or two along with a change aspect. You should change the given text in the given aspect. Aspects are explained below:
Tense: Change the tense of the verbs in the text. If they're in past tense, change them to present, and if they're in present tense, change them to past tense.
Number: Change the number of the nouns in the given text. Make plurals into singles and single into plurals. Remember to change the corresponding pronouns accordingly.
Voice: If the verbs are in active voice, change them to be passive, otherwise, change them to be in active voice.
Adverb: add one or multiple adverbs to the text.
Gender: If the text contains female names and pronouns, substitute them with male names and pronouns. Do the same for sentences with mala names and pronouns.
Input: Consider Input: sentence: They broadcast an announcement , but a subway came into the station and I couldn't hear it . aspect: Adverb
Output: They suddenly broadcast an announcement , but a subway came into the station and I couldn't hear it .
Input: Consider Input: sentence: Susan knows all about Ann's personal problems because she is nosy . aspect: Voice
Output: Ann's personal problems are known all about by Susan because she is nosy .
Input: Consider Input: sentence: The police arrested all of the gang members . They were trying to stop the drug trade in the neighborhood . aspect: Tense
| Output: The police are arresting all of the gang members . They are trying to stop the drug trade in the neighborhood .
|
Detailed Instructions: In this task, you are given the name of an Indian food dish. You need to return whether the dish is "non vegetarian" or "vegetarian". Do not answer with any words other than those two.
Problem:Unni Appam
Solution: | vegetarian |
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.
Q: llllwllwwwllwl
A: lwllwwwllwl
****
Q: blbljbjjll
A: blb
****
Q: rrgxgrggrx
A: | rgxgr
****
|
Q: Given a negotiation between two participants, answer 'Yes' if both participants agree to the deal, otherwise answer 'No'.
THEM: i'd like the ball and 2 hats. YOU: you can have two hats but, i would need the rest THEM: i need the ball and either 2 hats or 2 books YOU: then you can have one ball and two hats THEM: sounds great. thanks.
A: | Yes |
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.
Input: বোরকা পরা নারীদের দেখে বুঝা যায় না, তারা মানুষ, ভূত না জানোয়ার বলেছেন লিটন
Output: | religious |
You will be given a definition of a task first, then some input of the task.
Read the given story and classify it as 'imagined', 'recalled', or 'retold'. If a story is imagined, the person who wrote the story is making it up, pretending they experienced it. If a story is recalled, the person who wrote the story really experienced it and is recalling it from memory. If a story is retold, it is a real memory like the 'recalled' stories, but written down much later after previously writing a 'recalled' story about the same events. So, recalled stories and retold stories will be fairly similar, in that they both were real experiences for the writer. Imagined stories have a more linear flow and contain more commonsense knowledge, whereas recalled stories are less connected and contain more specific concrete events. Additionally, higher levels of self reference are found in imagined stories. Between recalled and retold stories, retold stories flow significantly more linearly than recalled stories, and retold stories are significantly higher in scores for cognitive processes and positive tone.
Though I am afraid of water, I will never forget the amazing cruise trip I took five months ago. My best friend, John, suggested our friend's group should take a unique vacation earlier this year, and he heard good things about these new rock cruises where you travel with the band. I am pretty much open to any type of music anyway, but rock is easily near the top of my list of genres. I really started getting excited when I found out the band involved was one of my favorite rock bands from the 80's. Aside from the water part, I was a fairly easy sell. Within minutes of getting on the ship we all realized how unbelievable this experience would be. In addition to nightly performances from the band, the whole band mingled with everyone just like regular people throughout the entire trip. I remember walking into the bathroom and having to wait for the lead singer to finish before I could use the toilet. I felt funny about shaking his hand at the time, and was left speechless as he walked off. Thankfully I had a chance to introduce myself later on in the trip! All of my friends had a blast on the cruise too, and I barely even noticed the fact that we were so far out on the water. The last night ended up being a massive blowout concert that seemed to go on for hours. The atmosphere was so perfect that I'm not sure it's possible to ever forget how great the experience was. To think I might have skipped out on this trip due to my fear of water is almost crazy now. I consider this to be arguably my best vacation of my entire life, and I might just have to try another one when this band comes around again!
Output: | imagined |
In this task, you are given two sets, and you need to count the number of elements at the union of two given sets. A Set is shown by two curly braces and comma-separated numbers inside, like {1, 2, 3}. Union of two given sets is the smallest set which contains all the elements of both the sets. To find the union of two given sets, A and B is a set that consists of all the elements of A and all the elements of B such that no element is repeated.
One example: Set1: '{2, 3, 6, 9, 10, 14, 15, 20}', Set2: '{3, 5, 7, 9, 12, 15, 16}'. How many elements are there in the union of Set1 and Set2 ?
Solution is here: 12
Explanation: The union of Set1 and Set2 is {2, 3, 5, 6, 7, 9, 10, 12, 14, 15, 16, 20}. It has 12 elements. So, the answer is 12.
Now, solve this: Set1: '{17, 18, 4}', Set2: '{3, 7, 8, 11, 15, 16, 17, 19}'. How many elements are there in the union of Set1 and Set2 ?
Solution: | 10 |
The given sentence contains a typo which could be one of the following four types: (1) swapped letters of a word e.g. 'niec' is a typo of the word 'nice'. (2) missing letter in a word e.g. 'nic' is a typo of the word 'nice'. (3) extra letter in a word e.g. 'nicce' is a typo of the word 'nice'. (4) replaced letter in a word e.g 'nicr' is a typo of the word 'nice'. You need to identify the typo in the given sentence. To do this, answer with the word containing the typo.
Example: It is gonig to rain today.
Example solution: gonig
Example explanation: The word 'gonig' is a typo of the word 'going' as the characters 'i' and 'n' have been swaped.
Problem: Two sogs are lying on the tiled floor together.
| Solution: sogs |
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.
Example: Our ruminating thoughts will still show up while you do it but you'll slowly be teaching yourself to let go of those thoughts and let them pass by.
Example solution: yes
Example explanation: This sentence suggesting someone to let go of their respective thoughts. Hence the answer is "yes".
Problem: If they seem tense , guarded , tired all the time .
| Solution: no |
In this task you will be given a string that only contains single digit numbers spelled out. The input string will not contain spaces between the different numbers. Your task is to return the number that the string spells out. The string will spell out each digit of the number for example '1726' will be 'oneseventwosix' instead of 'one thousand seven hundred six'.
Example: twotwoonesixzeronine
Example solution: 221609
Example explanation: The string is properly converted into a number based on the spelling of each digit. The string started with 'twotwo' therefore the number also started with '22'. This is a good example.
Problem: fivesixfivethreethreesevenfivezerozerofivetwofive
| Solution: 565337500525 |
Subsets and Splits