prompt
stringlengths 50
14.7k
| response
stringlengths 1
3.54k
|
---|---|
TASK DEFINITION: In this task, you are given a country name and you need to answer with the government type of the country, as of the year 2015. The following are possible government types that are considered valid answers: Republic, Parliamentary Coprincipality, Federal Republic, Monarchy, Islamic Republic, Constitutional Monarchy, Parlementary Monarchy, Federation.
PROBLEM: Philippines
SOLUTION: Republic
PROBLEM: Russian Federation
SOLUTION: Federal Republic
PROBLEM: New Zealand
SOLUTION: | Constitutional Monarchy
|
Detailed Instructions: In this task you are given a tweet. You must judge whether the tweet is ironic or not. We define two type of irony for this task ("polarity","situational"). Situational irony happens when a situation fails to meet some expectations. polarity irony happens when irony is achieved by inverting the intended sentence. Label the instances as "ironic" or "not" based on your judgment. Note that URLs in the text have been replaced with [Link].
Problem:Fischer ordered fish and chips
Solution: | ironic |
You're given a fill-in-the-blank question where the answer is PersonX. You need to minimally change the given question so that the answer flips to PersonY. This task typically involves replacing one word i.e., the 'trigger word' with its antonym (e.g., changing from "sympathetic" to "stern"). You should not change any content in the given question beyond a word or two i.e. the trigger word/phrase. PersonX and PersonY should not be equally likely to fill the blank. For your question, PersonY should be a well-agreed answer to fill in the blank. Your generations should NOT contain potentially explicit, offensive, or adult content. Do not use the names of real people or generic names (e.g., Donald Trump, John Doe, etc.) in your question. Avoid repeating the same style or phrase in generating your modified question e.g. this task can be always solved using a simple negation i.e. by adding not, never, etc. Instead, try to increase the word diversity. Your question must contain at least 15 and at most 30 words. Your question must have at least 70% overlapping words with the given question. You must utilize the given context word while writing the question. Your question must contain only one blank. Make sure that PersonX and PersonY have the same gender. In your question, PersonX and PersonY should be used only ONCE and PersonX should appear earlier than PersonY. Although there are many correct answers, you only need to write one of them.
[Q]: Context Word: train.
Question: PersonX wanted to rest while PersonY wanted to train, so _ spent the afternoon napping.
Answer: PersonX
[A]: PersonX wanted to rest while PersonY wanted to train, so _ spent the afternoon running.
[Q]: Context Word: penalty.
Question: Playing goalkeeper better suitted PersonX and not PersonY because _ was able to read a players penalty run up.
Answer: PersonX
[A]: Playing goalkeeper better suitted PersonX and not PersonY because _ could not read a players penalty run up.
[Q]: Context Word: bath.
Question: PersonX liked a bath but PersonY liked a shower. _ was pleased to see their partner had a hot bath waiting for them.
Answer: PersonX
[A]: | PersonX liked a bath but PersonY liked a shower. _ was pleased to see their partner had a steaming shower waiting for them.
|
Given the task definition, example input & output, solve the new input case.
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.
Example: [16, 205, 171, 2, 9, 317]
Output: [16, 256, 128, 2, 8, 256]
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.
New input case for you: [79, 484, 3106, 2762]
Output: | [64, 512, 4096, 2048] |
Given a concept word, generate a hypernym for it. A hypernym is a superordinate, i.e., a word with a broad meaning constituting a category, that generalizes another word. For example, color is a hypernym of red.
Input: Consider Input: cypress
Output: gymnosperm
Input: Consider Input: banana
Output: fruit
Input: Consider Input: pheasant
| Output: animal
|
TASK DEFINITION: In this task you will be given two lists of numbers and you need to calculate the intersection between these two lists. The intersection between two lists is another list where every element is common between the two original lists. If there are no elements in the intersection, answer with an empty list. Your list of numbers must be inside brackets. Sort the numbers in your answer in an ascending order, that is, no matter what the order of the numbers in the lists is, you should put them in your answer in an ascending order.
PROBLEM: [4, 4, 3, 6, 2, 2, 7, 2, 7] , [5, 5, 5, 2, 7, 9, 9, 6, 8]
SOLUTION: [2, 6, 7]
PROBLEM: [4, 1, 2, 1, 3, 7, 6, 3, 10] , [3, 1, 5, 5, 10, 3, 8, 3, 7]
SOLUTION: [1, 3, 7, 10]
PROBLEM: [3, 3, 6, 10, 5, 5, 3] , [10, 5, 5, 10, 10, 10, 2]
SOLUTION: | [5, 10]
|
Teacher: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.
Teacher: Now, understand the problem? Solve this instance: I_TURN_LEFT I_JUMP I_TURN_LEFT I_JUMP I_TURN_LEFT I_JUMP I_TURN_LEFT I_JUMP I_TURN_LEFT I_JUMP I_TURN_LEFT I_JUMP I_TURN_LEFT I_JUMP I_TURN_LEFT I_JUMP I_TURN_RIGHT I_TURN_RIGHT I_LOOK I_TURN_RIGHT I_TURN_RIGHT I_LOOK
Student: | jump around left twice and look opposite right twice |
Teacher:A text is given in Hindi. Translate it from the Hindi language to the Oriya language. The translation must not omit or add information to the original sentence.
Teacher: Now, understand the problem? Solve this instance: अधिनियम 25 मई, 2017 को पारित
Student: | 25 ମେ 2017 ଅଧିନିୟକ ଗୃହୀତ |
Instructions: In this task you will be given a list of numbers and you should remove all duplicates in the list. If every number is repeated in the list an empty list should be returned. Your list should be numbers inside brackets, just like the given list.
Input: [2, 2, 1, 1, 5, 5, 4, 5, 6]
Output: | [4, 6] |
Definition: In this task, you are given a movie review in Persian, and you have to extract aspects of the movie mentioned in the text. We define aspects as music(موسیقی), directing(کارگردانی), screenplay/story(داستان), acting/performance(بازی), cinematography(فیلمبرداری), and scene(صحنه). Although there might be multiple aspects in a review, we only need you to write one aspect.
Input: به نظرم متن خوبی داشت که ادم و به نتیجه گیری اشتباه سوق میداد اما از بازی ابراهیم حاتمی کیا خوشم امد چون تیپی که گرفته بود و چهرش کاملا با نقشش هم خوانی داشت..
Output: | بازی |
Teacher:In this task, you are given the name of an Indian food dish. You need to classify the dish as "sweet" or "spicy".
Teacher: Now, understand the problem? Solve this instance: Poornalu
Student: | sweet |
Definition: You are given an array of integers, check if it is monotonic or not. If the array is monotonic, then return 1, else return 2. An array is monotonic if it is either monotonically increasing or monotonocally decreasing. An array is monotonically increasing/decreasing if its elements increase/decrease as we move from left to right
Input: [183, 178, 173, 168, 163, 158, 153, 148, 143, 138, 133, 128, 123, 118, 113, 108, 103, 98, 93, 88, 83, 78, 73, 68, 63, 58, 53, 48, 43]
Output: | 1 |
The provided file includes inquiries about restaurants, and we ask you to translate those to the Finnish 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.
find all " mexican " restaurants . | etsi kaikki " mexican " ravintolat. |
Detailed Instructions: In this task you will be given a list, of lists, of integers. For every inner list contained in the input list, you should multiply every even number in that list. The output should be a list of integers with the same length as the number of lists in the input list. If there are no even numbers in an inner list you should output 0 for that list.
See one example below:
Problem: [[7, -3, -3, 11], [-6, -6, -5, 2], [-8, 4, -3]]
Solution: [0, 72, -32]
Explanation: The first inner list has no even integers, so the first number in the output is 0. The second list has -6, -6, 2 for even integers so the second output is 72. The third list has -8, 4 as even numbers so the third output is -32. This is a good example.
Problem: [[-11, 49], [1, -14, 40], [-29, 45], [49, -19, -4, 19], [-39, -31, -15, -16, -21], [10, -12, 23, -41], [-2, -10, 44], [-23, -24, -8], [-25, -47, -22, 13, -13], [37, -37, -45], [-50, -21, 33], [24, -22, 11, 48, -45], [42, 9], [-4, -29, 22, -32], [34, -47]]
Solution: | [0, -560, 0, -4, -16, -120, 880, 192, -22, 0, -50, -25344, 42, 2816, 34] |
You're given a fill-in-the-blank question where the answer is PersonX. You need to minimally change the given question so that the answer flips to PersonY. This task typically involves replacing one word i.e., the 'trigger word' with its antonym (e.g., changing from "sympathetic" to "stern"). You should not change any content in the given question beyond a word or two i.e. the trigger word/phrase. PersonX and PersonY should not be equally likely to fill the blank. For your question, PersonY should be a well-agreed answer to fill in the blank. Your generations should NOT contain potentially explicit, offensive, or adult content. Do not use the names of real people or generic names (e.g., Donald Trump, John Doe, etc.) in your question. Avoid repeating the same style or phrase in generating your modified question e.g. this task can be always solved using a simple negation i.e. by adding not, never, etc. Instead, try to increase the word diversity. Your question must contain at least 15 and at most 30 words. Your question must have at least 70% overlapping words with the given question. You must utilize the given context word while writing the question. Your question must contain only one blank. Make sure that PersonX and PersonY have the same gender. In your question, PersonX and PersonY should be used only ONCE and PersonX should appear earlier than PersonY. Although there are many correct answers, you only need to write one of them.
Input: Consider Input: Context Word: supportive.
Question: PersonX was so supportive of PersonY during her hard time, and _ was very gracious with her help.
Answer: PersonX
Output: PersonX was so supportive of PersonY during her hard time, and _ was very appreciative of her help.
Input: Consider Input: Context Word: Christmas.
Question: For Christmas, PersonX gave PersonY a brand new car with all the bells and whistles. _ was very generous.
Answer: PersonX
Output: For Christmas, PersonX gave PersonY a brand new car with all the bells and whistles. _ was very grateful.
Input: Consider Input: Context Word: shoulder.
Question: PersonX stood next to PersonY and only reached the top of their shoulder because _ was short.
Answer: PersonX
| Output: PersonX stood next to PersonY and only reached the top of their shoulder because _ was tall.
|
Given the task definition, example input & output, solve the new input case.
In medical studies, the efficacy of medical treatments (called interventions) is evaluated within a group of study participants. You will be given a sentence of a study report in which your task is to list the phrases that describe the intervention(s) of the study. You should list the phrase in the same order that they appear in the text, separated by commas. If no information about the interventions is mentioned, just answer with "not found". Interventions are: a specific drug, surgery, talking therapy, a lifestyle modification, control or placebo treatment. Do not include details, dosages, frequency and duration, intervention mentions that are not in an informative span of text.
Example: The patients received either azithromycin (600 mg/d for 3 days during week 1, then 600 mg/wk during weeks 2-12; n = 3879) or placebo (n = 3868)
Output: azithromycin, placebo
The word azithromycin refers to a drug, and placebo refers to a control test. Note that no extra information is given in the output.
New input case for you: A symptom based questionnaire was administered to all patients at stent removal .
Output: | not found |
In this task, you are given a set of paper reviews in English and Spanish language. Based on given reviews, your job is to generate decision, i.e., "accept" or "reject" for the given paper. Note that URLs in the text have been replaced with [Link].
Example Input: Review_1: Me ha gustado mucho Lo dejaría tal cual. Review_2: La ponencia es muy completa es un tema importante y original, con una calidad técnica muy adecuada y una presentación magnífica Review_3: Es un trabajo bien hecho sin lugar a dudas, el autor dice que hace una contrastación en varias organizaciones sobre el tema. Faltan antecedentes en relación a los ERP investigados. El modelo que él plantea no es novedoso, es más bien lógico y práctico. Es una investigación normal y su aporte es regular. Creo que un análisis cómo este requiere un análisis más profundo en aspectos económicos y financieros, porque las decisiones para la adquisición de este tipo de herramientas son: operacionales, económicas y financieras.
Example Output: accept
Example Input: Review_1: En este trabajo se realiza una propuesta exploratoria sobre un perfil de adecuación de técnicas de educción de requisitos de software. El trabajo es una extensión de un trabajo previo. Se recomienda mejorar algunos aspectos de este manuscrito como son: -Describir a más detalle el trabajo previo en el que se basa este escrito y mencionar las diferencias y contenido nuevo. -Consistencia entre los términos requisitos y requerimientos, en la pág. 3 se emplea el término requerimientos. -En la medida de lo posible mantener términos en castellano. -Añadir acento en "solo" siempre y cuando se refiera a "únicamente". -Corregir "Lo" por "Los" final de pág. 4, después de ref. 15., añadir acento a "comparara", en misma pág., corregir "cuatros" final pág. 6. -Corregir alineación de texto en primeros párrafos de ambas columnas en pág. 10, el primer párrafo de la segunda columna debería estar en la primera columna. Review_2: Artículo enfocado en las técnicas de educción de requisitos. Como comentario general, en las frases del tipo sujeto+verbo, no es necesario poner una coma después del sujeto (por ej., en la sección de introducción "la educación de requisitos de software, es aquella ...", en la de background "la ingeniería del software, es una disciplina .."). Respecto a la Tabla 2, sería conveniente que los autores pusieran las filas de la tabla en el mismo orden en que los enumeran. Un par de cuestiones me surgen: ¿Cómo se construye la situación contextual de un proyecto? (candado) Aunque me imagino que será un proceso similar, ¿Cómo se construye el perfil de adecuación de las técnicas? (llave) Consiste en poner el gráfico de la técnica por dimensión en forma plana? Si pudieran aclarar con alguna frase. Por ejemplo, indicar que las dimensiones tienen un número (indicadlo en la Tabla 4 por ejemplo), para luego ver claramente los gráficos de la Figura 4. Lo mismo para los factores y la Figura 3.
Example Output: accept
Example Input: Review_1: Este trabajo se enmarca en el área de la arquitectura del negocio y propone un interesante modelo de automatización de reglas de negocio para mejorar la flexibilidad de los sistemas de información aplicado a entidades financieras. El modelo propuesto se orienta a desacoplar la lógica de negocio de las reglas de negocio. La problemática que aborda el artículo está sustentada adecuadamente en las dificultades mencionadas en el ámbito de los proyectos de software y en el mundo financiero. El autor podría profundizar un poco más en las experiencias de desarrollo de proyectos en otros ámbitos y la relevancia de las reglas de negocios en el desarrollo de sistemas de información eficientes en la empresa. El objetivo declarado por el autor es proponer una metodología que permita flexibilizar la operatoria de los sistemas de información en las entidades financieras el que en general se explicita en forma adecuada. La revisión bibliográfica es pertinente a los temas que se abordan y las teorías y modelos considerados son adecuados al objetivo que se ha planteado. Los análisis asociados al concepto de reglas de negocios y arquitectura del sistema son atingentes al tema. El autor debería especificar como se establece la relación entre el modelado de procesos y el diseño y caracterización de las reglas de negocio. Se menciona que utilizan las tablas de puntos de decisión, pero estas no se mencionan en detalle ni visualmente. El autor debería sustentar de mejor manera la elección de “Pipes and Filter” como modelo de arquitectura del sistema. Sería importante destacar también si existen trabajos similares realizados en otros ámbitos ( ya que el autor no lo menciona) El aspecto metodológico del trabajo se enfoca a describir el proceso a través del cual se llega a la definición de la arquitectura de software para automatizar las reglas de negocios y las herramientas que se utilizaron en su desarrollo. Este enfoque metodológico es adecuado y se asocia claramente a una aplicación de estudio de caso. El aporte importante en este aspecto es la descripción detallada del proceso desde el levantamiento de las reglas hasta el diseño y desarrollo de la arquitectura de aplicación propuesta. El autor debería hacer un cuadro resumen en el que se represente este proceso en forma resumida. Es claro que los resultados de este trabajo tienen la validez deseada, ya que se sustenta en la utilización de modelos y herramientas ya validados en el ámbito del diseño de plataformas de negocios basadas en reglas. La contribución del trabajo es importante ya que sistematiza un proceso que es de amplia utilización en el desarrollo de sistemas de información que sean flexibles y adaptables al entorno cambiante. Sin embargo en las conclusiones no está reflejado con toda claridad estas contribuciones por lo cual se sugiere a los autores mejorar las conclusiones incluyendo los aportes significativos en términos metodológicos y de aporte a la disciplina en la que se enmarca el artículo. Los aspectos formales del trabajo son satisfactorios para el congreso. Hay detalles menores en la gramática como en el primer párrafo de la introducción que falta la letra U. Se sugiere aceptar el artículo con modificaciones menores Review_2: El artículo se titula "Arquitectura de Software para la Automatización de Reglas de Negocio en la Recepción de Solicitudes de Crédito en Entidades Financieras". En el resumen se indica que el trabajo tiene como objetivo proponer un modelo de automatización de reglas de negocio que logre desacoplar la lógica de negocio, sin embargo durante el documento no se hace referencia a ningún modelo. Se presenta una metodología en el apartado con su nombre, pero no queda claro cómo dicha metodología permite generar un modelo de automatización de reglas de negocio. Al artículo le falta una secuencia lógica de apartados que den cuenta de la propuesta explícita citada en el resumen. En el apartado Arquitectura del sistema, se presenta la arquitectura de un sistema y se explican aspectos de la arquitectura. Sin embargo, en dicho apartado tampoco se logra identificar un modelo de automatización de reglas de negocio. Teniendo en cuenta que al artículo le falta un trabajo fuerte para mejorar la presentación del mismo que permita entender la propuesta que se realiza, sugiero rechazarlo. A continuación remito algunas observaciones que pueden sevir para mejorar el trabajo: Si bien, la metodología utilizada está explicada detalladamente por fases, en ninguna de ellas se hace referencia a los resultados logrados en su implementación en el caso del trabajo que se expone, es decir aplicado en un entorno de entidades financieras. En el apartado de arquitectura del sistema, se presenta la figura 5 y la figura 6 pero no se explican ni se contextualizan dentro del documento. Esto genera confusión. En este apartado no se identifica la aplicación de la metodología expuesta en el apartado anterior, con relación a la arquitectura generada. Debería indicarse claramente cómo se logró la arquitectura a partir de la metodología seleccionada y explicada en el apartado Metodología. En la introducción que queda clara cuál es la propuesta del trabajo presentado. Debe estructurarse un párrafo donde se incluya una definición del objetivo el trabajo y la propuesta de solución que se hace teniendo en cuenta el título del trabajo. Se deben corregir algunos errores de redacción en como: - En el resumen...Para lo cual la se propone....? - En la introducción... no de los retos principales de la ingeniería de software es generar ...? - En la página 3 la fase Un término posee un significado para el negocio que debe ser comprendido y compartido, está repetida dos veces. - En la página 4 la palabra valido, lleva acento y en el último párrafo el acento está por fuera de la palabra esta´. - Al final de la página 5 el título queda divido (viuda). - Se sugiere mejorar la redacción del párrafo... Se ha observado la vulnerabilidad arquitectónica de los sistemas de software en la prestación en los servicios que presta respecto a las libranzas... -Las figuras no están citadas en el texto, solamente se indica siguiente figura, lo que constituye problemas tanto de forma como edición del artículo. Deben citarse las figuras en el texto, con el número correspondiente en el título de la figura. - La figura 3 no se entiende. El texto es muy pequeño y no se logra identificar el modelo de proceso de negocio al que se hace referencia en el párrafo inmediatamente anterior. - El último párrafo de la página 6 no se entiende y se habla en primera persona. Debería corregirse la redacción. - En el apartado Metodología, se hace referencia a un proyecto que no se ha descrito antes. Sería conveniente explicar de qué se trata el proyecto al que se hace referencia. En este apartado no es claro el tipo de metodología a la que se hace referencia. Se puede tratar de una metodología de investigación o una metodología de desarrollo de arquitectura.
Example Output: | reject
|
Teacher:You are asked to create a question containing a blank (_), based on the given context word. Your question must contain two related but different objects; for example "trophy" and "suitcase". The expected answer to your question must be one of the objects present in the sentence. The expected answer must not be associated with any specific word in the question; instead it should depend on the context present in the question. The expected answer should not be equally likely to fill the blank. For your question, there should be a agreed upon answer to fill in the blank. Your generations should NOT contain potentially explicit, offensive, or adult content. Do not use animals or proper nouns (e.g., New York, Macbook, Jeff Bezos, McDonald's, ...) as your objects. Avoid repeating the same style, pattern or phrases in each question, try to increase diversity by varying sentence structure, blank placement etc. Your question must contain at least 15 and at most 30 words. You must utilize the given context word while writing the question. Your question must contain only one blank. Make sure that Object X and Y have the same number e.g. when ObjectX is singular, Object Y must be singular, too. The two objects (Object X & Object Y) should be used ONCE in your question. Here is a list of attributes and associated pair of contrastive words which may be used to create a valid question using the objects. You can use either of the contrastive words, but not both. You should think about more such attributes and associated words and use them in your question.
| Attribute | triggerword | contrastive triggerword |
| age | old | new |
| altitude | low | high |
| area | small | vast |
| brightness | dark | light |
| clarity | obscure | clear |
| cleanness | dirty | clean |
| complexity | simple | complex |
| cost | cheap | expensive |
| density | sparse | dense |
| depth | shallow | deep |
| distance | near | far |
| electric conductivity | low | high |
| flexibility | rigid | flexible |
| granularity | fine | coarse |
| hardness | soft | hard |
| length | short | long |
| magnitude | small | large |
| mass | small | large |
| odor | weak | strong |
| pressure | low | high |
| resistance | low | high |
| shape | round | sharp |
| shape | flat | spiky |
| size | small | large |
| sound | quiet | loud |
| sound pitch | low | high |
| speed | slow | fast |
| stability | unstable | stable |
| strength | weak | strong |
| temperature | low | high |
| texture | smooth | rough |
| thermal conductivity | low | high |
| thickness | thin | thick |
| volume | small | large |
| weight | light | heavy |
| width | narrow | wide |
| location | in | out |
| location | up | down |
| location | above | below |
| location | on | off |
| location | to | from |
Teacher: Now, understand the problem? Solve this instance: Context Word: urine.
Student: | Donald found it easier to aim urine into the flower pot than the toilet basin because the _ had a wider opening. |
Teacher: In this task, you are given two strings A,B. Find the longer of the two lists, convert it to lowercase, and return all the unique alphabets used in it. The two input strings are never equal.
Teacher: Now, understand the problem? If you are still confused, see the following example:
JkbloNUq, nYblowj
Solution: b, j, k, l, n, o, q, u
Reason: Here, 'JkbloNUq' is the longer string among the two input strings. Lowercasing it and finding all unique alphabets gives 'b, j, k, l, n, o, q, u'.
Now, solve this instance: PdAqffiUHFZzqKBXzUQuYo, SXwoMxZHFZzqKBXzUqTsKaMu
Student: | a, b, f, h, k, m, o, q, s, t, u, w, x, z |
Detailed Instructions: You are given a dialog between 2 or more individuals. Within the dialog, there will be clues that indicate two individuals were or are dating. You will be prompted at the end to answer which Speaker (or named individual) is dating which other Speaker (or named individual).
See one example below:
Problem: 'Speaker 1: Hi!
Speaker 2: Hi.
Speaker 1: Oh, I'm so glad you called. I feel like it's always me calling you. So, what's up? Is everything okay with Phoebe?
Speaker 2: It will be...in a minute. Listen, Tim you're a really great guy.
Speaker 1: It's because I'm with you.
Speaker 2: Aw. I'm just-I'm in a place in my life right now where I...I...
Speaker 1: Whoops. Sorry. This just in. Oh, it's 9-1-1 from the restaurant, that means Monica needs me right away.
Speaker 2: Oh-oh no she doesn't! I know what that is. You can stay.
Speaker 1: Awww, I'll miss you too Pheebs. And I will be holding you, right here.
Speaker 2 is or was dating which Speaker?'
Solution: Speaker 1
Explanation: Speaker 2 is giving clues to Speaker 1 about issues in their relationship.
Problem: Speaker 1: Hey!
Speaker 2: Hi!
Speaker 1: You ready?
Speaker 2: Yeah.
Speaker 1: You look amazing. I'm the luckiest man in the world.
Speaker 2: Ohh, you're about to get a little luckier.
Speaker 1: Let me see the earrings.
Speaker 2: Oh, honey, the earrings...
Speaker 1: They look great! Does your boyfriend have the best taste or what?
Speaker 2: My boyfriend really does have good taste! Speaker 1 is or was dating which Speaker?
Solution: | Speaker 2 |
Definition: In this task, you are given a natural language interpretation of commands (consist of logical operations) to select relevant rows from the given table. Your job is to generate command (in terms of logical operations) from given natural language interpretation. Define body (contains a collection of statements that define what the this logical operator does) of each logical operator between '{}' parenthesis. Here are the definitions of logical operators that you can use while generating 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.
Input: select the row whose sack record of all rows is maximum . the player record of this row is craig walls .
Output: | eq { hop { argmax { all_rows ; sack } ; player } ; craig walls } |
Definition: Find the movie name from the given conversation. If the movie name is not found give output as "unknown"
Input: ASSISTANT: What kind of movies do you tend to watch? , USER: I enjoy superhero movies. , ASSISTANT: Have you seen The Predator? , USER: No, I haven't. , ASSISTANT: Have you seen The Dark Knight? , USER: Yes, I have. , ASSISTANT: And what did you like the most about The Dark Knight?
Output: | The Dark Knight |
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.
Giles: Into each generation , a Slayer is born . One girl in all the world , a choosen one . _ One _ born with the ...
Giles, Buffy: -the strength and skill to hunt the vampires ...
Buffy: To stop the spread of their evil blah , blah , blah , I 've heard it , okay ?
REFERENCE Slayer
Reporter: How many people who major in the same musical vineyard in which you toil , how many are protest singers ? That is , people who use their music , and use the songs to protest the uh , social state in which we live today , the matter of war , the matter of crime , or whatever it might be .
Bob Dylan: Um ... how many ?
Reporter: Yes . How many ?
Bob Dylan: Uh , I think there 's about uh , 136 .
Reporter: You say ABOUT 136 , or you mean exactly 136 ?
Bob Dylan: Uh , it 's either 136 or _ 142 _ .
OTHER
Casey Chappel Davenport: How many of those have you drunk ?
Lowell Mather: Let 's see , the machine holds _ 40 _ ... 80 !
| OTHER
|
Part 1. Definition
In this task, you are given music product reviews in German language. The goal is to classify the review as "POS" if the overall sentiment of the review is positive or as "NEG" if the overall sentiment of the review is negative.
Part 2. Example
Fast schon teuflisch gut . Gleich mal eins vorne weg: dieses Album ist wieder wesentlich besser als das letzte ("The Last Kind Words"), wenn auch nicht ganz so gut wie die beiden ersten Alben "DevilDriver" und "The Fury Of Our Maker's Hand". Sofort wird hier munter "losgegroovt" mit dem Opener "Pray For Villains". Sofort merkt man: hier regiert der Hammer. Unüberhörbar, dass die Double Basses dermaßen losprügeln, das man fast schon meint es wurde ein Drumcomputer benutzt. Ziemlich sicher bin ich mir aber, dass hier getriggert wurde. Wobei mir das überhaupt nicht auf den Magen schlägt, der Gesamtsound ist wunderbar und vorantreibend. Auch die Gitarren leisten Spitzenarbeit ab. Noch schneller, gar extremer sind sie auf dieser Scheibe wahrzunehmen. Unglaublich... Natürlich leistet auch Dez ganze Arbeit mit seinem unglaublichen Organ. Es kommen sogar mal kurz cleane Vocals zum Einsatz. Aber diese werden nicht tragend für das Lied eingesetzt, also keine Sorge. Weiterhin regieren die tiefen Shouts aus Dez's Kehle. Ansonsten bleibt nur noch zu sagen, dass auch die Produktion auf ganzer Linie überzeugen kann. Einfach nur fett. Also, Devildriver Fans werden sicher nicht enttäuscht sein. Und alle anderen, die auf brachiale Grooves und sonstigen Krach stehen, können hier auch ohne schlechtes Gewissen zugreifen. Super Scheibe.
Answer: POS
Explanation: The overall sentiment of the review is positive as the reviewer refers to the music piece with positive expressions such as 'Fast schon teuflisch gut', 'Super Scheibe' etc. Hence, the label is 'POS'.
Part 3. Exercise
Zu viel erwartet... . Nach seinem Ausstieg bei Audioslave lässt Ex-Soundgarden Sänger Chris Cornell seinem Solodebut von 1999 jetzt mit dem programmatisch betitelten "Carry On" seinen zweiten Streich folgen, mit dem er mal wieder eine andere Richtung einschlägt. Auch wenn Cornell einer der wenigen Künstler aus der Grungezeit ist, dessen Erfolg die 90er überdauerte und der Herr zwischenzeitlich einige Titel einheimsen konnte kann ich jetzt keine weiteren Lobeshymnen singen. Auf dem neuen Soloalbum finden sich 14 (bzw. 15 mit Bonustrack) Titel, die ich nicht alle in den Alternativ-Rockbereich einordnen würde. Manchmal geht das ganze schon in Richung Blues und Soul. Die wenigen wirklich rockigeren Songs, wie "Poison Eye" oder "Your Soul Today", werden vielleicht noch ganz gut bei Soundgarden- bzw. Audioslave-Fans ankommen. Der Rest plätschert aber relativ belanglos und langweilig vor sich hin und manchmal klingt Chirs Cornell irgendwie schief. Hin- und wieder erinnert es ein wenig an lahme Nummern von Soundgarden, was sehr wahrscheinlich an der charakteristischen Stimme liegt. Die Mittelmäßigkeit des Albums wird dann aber auch nicht durch das merkwürdig schleppende Cover des Michael Jackson Hits "Billy Jean" herausgerissen. Nun und alle, die vom James-Bond-Titelsong "You Know My Name" angetan waren, sollten sich - sofern nicht schon geschehen - lieber mit dem Gedanken anfreunden nur die Single zu kaufen. Ob hier noch mal ein Hit drauf ist wage ich fast zu bezweifeln. "Carry On" kann man sich zwar anhören, aber irgendwie habe ich den Eindruck, dass Mr. Cornell damit besser in eine Landei-Bar irgendwo im Westen der USA gepasst hätte als in meinen CD-Player. Die Scheibe wird einfach nicht besser, egal wie oft ich sie höre. Ich empfehle lieber die Soundgarden- und Audioslave-Sammlung zu vervollständigen.
Answer: | NEG |
In this task, you are given a premise, a hypothesis, and an update. The premise sentence describes a real-world situation and is always assumed to be true. The hypothesis sentence describes an assumption or inference that you might make about that situation having read the premise. The update provides additional information about the situation that might weaken or strengthen the hypothesis. A weakener is a statement that weakens the hypothesis, that is, it makes you much less likely to believe the hypothesis is true. A strengthener is a statement that strengthens the hypothesis, that is, it makes you much more likely to believe the hypothesis is true. Your task is to answer with 'strengthener' or 'weakener' if the update strengthens or weakens the hypothesis, respectively.
--------
Question: Premise: Two boys playing on a trampoline.
Hypothesis: Two boys playing chess on a trampoline.
Update: There is a checkered board on top of the trampoline.
Answer: strengthener
Question: Premise: Two women in exotic red costumes are dancing.
Hypothesis: Two woman are dancing the samba.
Update: The women are Latina
Answer: strengthener
Question: Premise: Two kids with helmets on sitting outside while one looks down and the other straight ahead.
Hypothesis: The boys are pretending to be football players
Update: The helmets have face masks.
Answer: | strengthener
|
Definition: In this task, you're given statements in native Malayalam language. The statement can be written with the Malayalam alphabet or the English alphabet. Your job is to evaluate if the statement is offensive or not. Label the post as "Not offensive" if the post does not contain offense or insult. Non-offensive posts do not include any form of offense or insult. Label the post as "Offensive" if the post contains offensive language.
Input: ithinum matram nalla review kittaaan enthu thengayaa ee padathilullathenn enik maatraano thonniyath.. aake rasamaayitt thonniyath 2... 3 scenes matram.. oru 50 percent dialog onnum enik manassilaayilla.. entho kushukushukunna pole thonni..
Output: | Offensive |
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.
--------
Question: News Headline: Workers at Chinese Factory for Ivanka Trump ’s {Clothing} Paid $ 62 a Week : Report
Edit: nose
Answer: Funny
Question: News Headline: Diversify Washington in more ways than one : Scientists must become more involved in political {processes}
Edit: buffets
Answer: Funny
Question: News Headline: TripAdvisor says it will stop ads for right-wing TV host Laura Ingraham after she criticized Parkland shooting {survivor}
Edit: performance
Answer: | Not Funny
|
instruction:
In this task, you are given two strings A,B. Find the longer of the two lists, convert it to lowercase, and return all the unique alphabets used in it. The two input strings are never equal.
question:
CIqhsYulyDKyZzjvfCmdeetLYRo, zRoQnvhsYulyDKyZzjvfCyCbiwVupwrxnZ
answer:
b, c, d, f, h, i, j, k, l, n, o, p, q, r, s, u, v, w, x, y, z
question:
sGvzbqx, EAvzPM
answer:
b, g, q, s, v, x, z
question:
AVHmDIarYHbCOvSzmqKSztcryMTQumHoMLQeK, WEODHbCOvSzmqKSztcrXUFTJPRiIRK
answer:
| a, b, c, d, e, h, i, k, l, m, o, q, r, s, t, u, v, y, z
|
TASK DEFINITION: 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.
PROBLEM: These students don't boast about itself.
SOLUTION: bad
PROBLEM: These guests haven't approached herself.
SOLUTION: bad
PROBLEM: Michelle hasn't concealed themselves.
SOLUTION: | bad
|
Given the task definition and input, reply with output. In this task, you are given a list of integers. You need to find the median of the list of integers and return that as the output. The median is the middle value in the list of numbers such that half of the elements are less than the median and the other half of elements are greater than the median.
[284, 258, 241, 432, 149, 489, 30, 88, 213, 182, 353, 388, 299, 449, 215, 272, 328, 281, 107, 438, 380, 139, 127, 123, 417]
| 272 |
In this task you will be given a list of dictionaries. A dictionary is a set of key-value pairs, where each key is unique and has a value associated with that key. You should sort the list of dictionaries from smallest to largest by their 'first' key. If there is two dictionaries with the same 'first' value then sort them by their 'second' key. Negative numbers should come before positive numbers.
Example Input: [{'first': -39, 'second': -89}, {'first': 79, 'second': 60}, {'first': 3, 'second': -43}, {'first': -10, 'second': -42}, {'first': 23, 'second': -38}, {'first': -49, 'second': -100}]
Example Output: [{'first': -49, 'second': -100}, {'first': -39, 'second': -89}, {'first': -10, 'second': -42}, {'first': 3, 'second': -43}, {'first': 23, 'second': -38}, {'first': 79, 'second': 60}]
Example Input: [{'first': 19, 'second': 27}, {'first': -16, 'second': 23}, {'first': -4, 'second': 67}, {'first': -2, 'second': -66}]
Example Output: [{'first': -16, 'second': 23}, {'first': -4, 'second': 67}, {'first': -2, 'second': -66}, {'first': 19, 'second': 27}]
Example Input: [{'first': 50, 'second': -26}, {'first': -95, 'second': -79}, {'first': -78, 'second': -94}]
Example Output: | [{'first': -95, 'second': -79}, {'first': -78, 'second': -94}, {'first': 50, 'second': -26}]
|
In this task you will be given a string and you should find the longest substring that is a palindrome. A palindrome is a string that is the same backwards as it is forwards. If the shortest possible palindrome is length 1 you should return the first character.
Example: gocogccocco
Example solution: gocog
Example explanation: The substring 'gocog' is the longest possible substring that is also a palindrome. So this is a good example.
Problem: inrirrinin
| Solution: irri |
In this task, you need to answer 'Yes' if the given word is the longest word (in terms of number of letters) in the given sentence, else answer 'No'. Note that there could be multiple longest words in a sentence as they can have the same length that is the largest across all words in that sentence.
Sentence: 'a teddy bear lays in a bed resting its head against a pillow'. Is 'resting' the longest word in the sentence? | Yes |
TASK DEFINITION: In this task, you are given two strings A, B. Find the longest common substring in the strings A and B.
PROBLEM: xfZYYDKEqoRRu, ztCeYYDKEqoPG
SOLUTION: YYDKEqo
PROBLEM: STvKOHq, XMGvKOdyM
SOLUTION: vKO
PROBLEM: pySBCdpe, AEBCdOR
SOLUTION: | BCd
|
Given the task definition, example input & output, solve the new input case.
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'.
Example: Basinger was born in Athens, Georgia, on December 8, 1953
Output: December 8, 1953
The output is correct as it is a valid text span, is of minimal length and is the correct date of birth.
New input case for you: Welch was born as Jo Raquel Tejada on September 5, 1940 in Chicago, Illinois
Output: | September 5, 1940 |
Given the task definition and input, reply with output. Adverse drug reactions are appreciably harmful or unpleasant reactions resulting from an intervention related to the use of medical products, which predicts hazard from future administration and warrants prevention or specific treatment, or alteration of the dosage regimen, or withdrawal of the product. Given medical case reports extracted from MEDLINE, the task is to classify whether the case report mentions the presence of any adverse drug reaction. Classify your answers into non-adverse drug event and adverse drug event.
There have been many reports of probable lithium-induced organic brain syndromes occurring when serum lithium levels are within or close to the therapeutic range.
| adverse drug event |
In this task, you are given an english sentence and a kurdish sentence you have to determine if they both are faithful translations of each other.
Construct an answer that is 'Yes' if the second 'Kurdish' sentence is a translation of 'English' sentence and 'No' otherwise
[Q]: 'English : Berfo Kırbayır was calling out to the then Minister Ergin in her letter as follows:','Kurdish : Dayîka Berfo di nameya xwe de ji Wezîrê Dadê yê wê demê Sadullah Ergin re wiha bang dikir:'
[A]: Yes
[Q]: 'English : “We are looking for memories that could have remained in the wreckage. I found a book which belongs to my sister. It is kind of a relief for us.','Kurdish : Rêxistina Çavdêriyê ya Mafê Mirovan (Human Rights Watch / HRW) derbarê îxlalên girseyî yên li dijî sivîlên li rojhilatê Tirkiyeyê de hukimet destûr nade ku lêpirsîn û lêkolînkirina bêalî were kirin.'
[A]: No
[Q]: 'English : “Then, the commission has been set. According to the commission’s report, Cemil was killed in custody and his body was lost.','Kurdish : 'Piştî wê komîsyon hat avakirin û li gorî rapora komîsyonê Cemîl di binçavkirinê de hatiye kuştin û laşê wî hatiye windakirin.''
[A]: | Yes
|
Given the task definition, example input & output, solve the new input case.
In this task, you are given music product reviews in French language. The goal is to classify the review as "POS" if the overall sentiment of the review is positive or as "NEG" if the overall sentiment of the review is negative.
Example: Le crépuscule du Dieu . Cet enregistrement des années 70 marque incontestablement le crépuscule du génie que fut Karajan, avabnt sa satannée ère numérique. Le geste n'est pas encore machinal, on le sent vibrant et alerte. La philharmonie de Berlin langoureuse, véhémente scintille de mille feux et se pare d'une aura exceptionnelle, elle nous plonge dans un monde sombre, terrifiant, ses silences nous font frémir. Les tonmeister de la DG la capte en largueur et en profondeur et nous font "voir" une image sonore exceptionnelle, qu'originals a, comme ce fut le cas souvent, remasterisé avec un rare talent.
Output: POS
The overall sentiment of the review is positive as the reviewer refers to the music piece with positive expressions such as 'vibrant', 'une image sonore exceptionnelle' etc.. Hence, the label is 'POS'.
New input case for you: N'en finira-t-on jamais d'assassiner Mozart? . Ce n'est pas Salieri qui a assassiné Mozart, comme l'a laissé entendre Milos Forman dans son ridicule "Amadeus", mais nombre d'interprètes qui ont défiguré (et continuent de défigurer) son oeuvre. Après avoir pendant plus de dix ans "massacré" Vivaldi, voilà que Fabio Bondi et son Europa Galante s'en prennent à Mozart. Ces derniers avaient renoncé à "interpréter" Vivaldi pour "faire du Biondi", voilà qu'en cette année Mozart ils se sont lancés dans l'interprétation des trois permiers concertos pour violon et orchestre du compositeur salzbourgeois. Les reproches essentiels sont toujours les mêmes : agressivité des allegros, sacrifice des adagios (transformés en allegros dont le superbe adagio du concerto n°3 KV 216) et des andantes, aucune souplesse dans les articulations entre les différents mouvements,... Par chance, ils ne nous ont pas livré une intégrale : les concertos n°4 et n°5 ainsi que les deux rondos KV 269 et KV 373 et le superbe adagio KV 261 ont échappé à la mutilation qui les attendait inévitablement.
Output: | NEG |
Teacher:In this task, you are given two strings A,B. Find the longer of the two lists, convert it to lowercase, and return all the unique alphabets used in it. The two input strings are never equal.
Teacher: Now, understand the problem? Solve this instance: PlaSlvIDzcqjXUqFNeR, fzlqSlvIDzcqjMvob
Student: | a, c, d, e, f, i, j, l, n, p, q, r, s, u, v, x, z |
You are given a question-answer pair. Answer with their type. Pay attention that there may be more than one correct type, but you only have to choose one. In your responses, use of the following types:
(1) Humans: Any individual or group of humans, including fictional ones (e.g., a group or organization of persons , an individual, title of a person, description of a person);
(2) Event: Any phenomenon natural or artificial (e.g., named hurricanes, Battles, Wars, Sports events, Terrorist attacks);
(3) Entity: A thing with distinct and independent existence (Animals, Organs of body, Colors, Inventions, books and other creative pieces, Currency name, Diseases, and medicine, Food, Musical instrument, Languages, Plants, Products, Religions, Sports, Elements and substances, Symbols and signs, Techniques and methods, Equivalent terms, Vehicles);
(4) Facility: Something built for a particular purpose (Buildings, Airports, Highways, Bridges);
(5) Location: A place (Cities, Countries, Mountains, States);
(6) Law: Named documents made into laws (e.g., “the first amendment”, "civil rights act");
(7) Organization: an organized body of people with a particular purpose (Company names, e.g. Google, Cults or terrorist groups, e.g. Al Qaeda);
(8) Date: Absolute or relative dates or periods, bigger than 1 day (Years, Range, e.g. from Monday to Tuesday, or during the 20th century, Approximate time);
(9) Time: Any temporal range/unit that is shorter than a day (e.g., 2 o'clock, 1 pm);
(10) Money: Monetary values, including unit (e.g., "$26", "914$");
(11) Quantity: postcodes or other codes, the number of sth, Ranks, fractions, speed, temperature, size, area, and volume, weight (e.g., "26 degree" "17 inch");
(12) Description: description and abstract concepts (e.g., the definition of something, the manner of an action, reasons);
(13) Abbreviation: expression abbreviated (e.g., AMT = abbreviation of Amazon Mechanical Turk). Don't generate any word that is not mentioned in the list of types (Humans, Event, Entity, Facility, Location, Law, Organization, Date, Time, Money, Quantity, Description, Abbreviation). If you can not associate any of the given types with the provided question and answer pair, respond "Other".
Example input: Question: Melbourne has sustained the highest population increase and economic growth rate in any Australian city according to what organization? (Answer: Australian Bureau of Statistics).
Example output: Organization.
Example explanation: Here, the definition of the type "Organization" is "an organized body of people with a particular purpose" which aligns with "Australian Bureau of Statistics". So, this is a good answer.
Q: Question: What computer OS did iPod software exclusively work with at launch? (Answer: Mac OS).
A: | Entity. |
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.
Q: ['B', 'K', 'W', '8', '0', 't']
A: [['B', 'K', 'W', '8', '0'], ['B', 'K', 'W', '8', 't'], ['B', 'K', 'W', '0', 't'], ['B', 'K', '8', '0', 't'], ['B', 'W', '8', '0', 't'], ['K', 'W', '8', '0', 't']]
****
Q: ['d', 'y', 'V', 'y', 'c', 'a', '1']
A: [['d', 'y', 'V', 'y', 'c', 'a'], ['d', 'y', 'V', 'y', 'c', '1'], ['d', 'y', 'V', 'y', 'a', '1'], ['d', 'y', 'V', 'c', 'a', '1'], ['d', 'y', 'y', 'c', 'a', '1'], ['d', 'V', 'y', 'c', 'a', '1'], ['y', 'V', 'y', 'c', 'a', '1']]
****
Q: ['5', 'Z', '2', 'C']
A: | [['5', 'Z', '2'], ['5', 'Z', 'C'], ['5', '2', 'C'], ['Z', '2', 'C']]
****
|
Given the task definition, example input & output, solve the new input case.
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.
Example: I_TURN_LEFT I_JUMP
Output: jump left
If the agent turned to the left and jumped, then the agent jumped to the left.
New input case for you: I_TURN_RIGHT I_RUN I_TURN_RIGHT I_RUN I_TURN_RIGHT I_RUN I_TURN_RIGHT I_RUN I_TURN_RIGHT I_RUN I_TURN_RIGHT I_RUN I_TURN_RIGHT I_RUN I_TURN_RIGHT I_RUN I_TURN_RIGHT I_RUN I_TURN_RIGHT I_RUN I_TURN_RIGHT I_RUN I_TURN_RIGHT I_RUN I_TURN_LEFT I_RUN I_TURN_LEFT I_RUN I_TURN_LEFT I_RUN I_TURN_LEFT I_RUN I_TURN_LEFT I_RUN I_TURN_LEFT I_RUN I_TURN_LEFT I_RUN I_TURN_LEFT I_RUN
Output: | run around right thrice and run around left twice |
Please change the meaning of the following question by changing as few words as possible. Create different questions with the same output format (i.e., if the given question has a yes/no answer, so should yours, etc.). The questions are in three domains: presidents, national parks, and dogs. Each question has a keyword indicating its domain. Keywords are "this national park", "this dog breed", and "this president", which will be replaced with the name of an actual president, a national park, or a breed of dog. Hence, in the changed questions, this keyword should also be used the same way. All the questions should be written so that your new question will have a different answer than the original. Leave the original sentence the same as much as possible, changing only the meaning of the question. Try to write specific questions that are not too easy. Make your questions specific and concrete rather than open-ended or subjective (e.g., questions that can be answered differently by different people). Your questions should change the original question as little as possible.
One example: What wars did this president initiate as president?
Solution is here: What executive orders did this president initiate?
Explanation: This question changed the answer only by changing the phrase "wars".
Now, solve this: Do the origins of this dog breed come from another dog breed that is extinct?
Solution: | Is this dog breed descended from another dog breed that is alive? |
Detailed Instructions: In this task, you will be presented with a question in Dutch language, and you have to write the location names from the question if present. B denotes the first item of a phrase and an I any non-initial word. Identifier used for the location name - LOC. . There can be instances with no location name entity, then return 'None'.
Q: Toch bleef één speler afwezig , en zijn afwezigheid zorgde ervoor dat het feest niet compleet kon zijn : de bevolking van Kinshasa , de Kinois , waren niet op de afspraak .
A: | Kinshasa: B-LOC |
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? If you are still confused, see the following example:
Content:Пръстена активизира енергийната програма и биополето на човека и много зависи на коя ръка и кой пръст носите вашият пръстен. Реклама Дясната ръка се счита за проводник на мъжката енергия и ако носите пръстен на дясната си ръка ще активизирате определени сфери от вашият живот. Пръстена носен на лявата ръка ще е проводник на женската енергия и ще има възможност да ви защити в определени ситуации. Трябва да се вземе под внимание и от какъв материал е изработен пръстена. Златото като активен слънчев метал активизира енергията, а среброто защитава притежателя си от негативно въздействие. Златен пръстен сложен на палеца на дясната ви ръка ще подобри вашето материално положение, ако сложите сребърен пръстен ще засилите вашата интуиция. Ако носите пръстен на палеца на лявата си ръка ще имате възможност да получите реални плодове от вашите знания е възможности. Показалецът съединява човека с Бога. Добре би било на този пръст да носите сребърно украшение. Средният пръст на дясната ръка отговаря за съдбата и кармата. Носенето на пръстен на средният пръст ще спомогне по‐ бързо човек да разчисти своите кармични дългове. Безименият пръст носи успех, хармония и любов в семейството. На безименият пръст на дясната ръка е добре да се носи златен пръстен, по този начин ще се активизират всички сфери във вашият живот. Също така този пръстен ще обединява енергиите на партньорите и ще активизира техните отношения. Венчален пръстен изработен от сребро може да доведе до това, че човека да стане хладен в отношенията си и да се стреми да не дава своята любов а само да приема чуждата. Ако съпрузите са се разделили то е желателно те да си върнат брачните пръстени и по този начин да дадат свобода на себе си и партньора си за нови отношения. Друг начин е да сложат брачният си пръстен на лявата ръка и по този начин да пречистят енергиите от миналият си брак. Ако желаете да станете общителни, то си сложете златен пръстен с червен камък на малкият пръст на дясната си ръка. Сребърен пръстен сложен на малкият пръст на дясната ръка ще донесе на притежателя си спокойствие в живота. Източник: actualno.com
Solution: Как правилно да носите пръстен и какво означава на различните пръсти
Reason: This is an accurate title for the passage. It contains words from the passage and also other relevant points which succinctly summarize the contents.
Now, solve this instance: Content:ПОКАНА От 29 март до 2 април за да обикнеш народа си! на Института за етнология и фолклористика с Етнографски музей при БАН ще бъде представена на пролетното изложение за архитектура, строителство и обзавеждане 2000 в НДК. Целта на кампанията е събиране на
Student: | Опознай традициите – на СТРОЙКО! . Един малък етнографски фестивал-Radost.BG |
Given the task definition and input, reply with output. In this task, you are given an input list A. You need to extract and sort the unique digits used in the list in ascending order. Return -1 if there is no digit in the list.
['d', 'r']
| -1 |
The provided file includes inquiries about restaurants, and we ask you to translate those to the Finnish 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.
--------
Question: where is the closest " dairy queen " ?
Answer: missä on lähin " dairy queen "?
Question: find all of the " indian " restaurants
Answer: löydä kaikki " indian " ravintolat
Question: how many reviews have been posted for " old town doughnuts " ?
Answer: | kuinka monta arviota " old town doughnuts " on saanut ?
|
Definition: Given a sentence in Korean, provide an equivalent paraphrased translation in Spanish that retains the same meaning both through the translation and the paraphrase.
Input: Bertlmann은 Walter Thirring의 친한 친구이자 공동 작업자였으며 John Stewart Bell과 함께 작업했습니다.
Output: | Bertlmann era amigo íntimo y colaborador de Walter Thirring y trabajó con John Stewart Bell. |
You will be given a definition of a task first, then some input of the task.
In this task you will be given a list of numbers and you need to find the mean (average) of that list. The mean of a list can be found by summing every number in the list then dividing the result by the size of that list. The output should be rounded to 3 decimal places.
[10.497, -53.988, -76.283, 119.274, 180.003, 128.249, 95.859, 184.641, 80.298]
Output: | 74.283 |
Teacher:Given a prompt and two completions from a language model, select the completion that has the most similar style to the prompt. Style is defined as the tone, word choice, grammar, and sentence structure throughout the prompt-completion pair. If a prompt is colloquial, then the completion should also be colloquial, as opposed to a completion that is encyclopedic or overly formal. Generate either Completion A or Completion B.
Teacher: Now, understand the problem? Solve this instance: Prompt: I never wanna go back out there to many fake tough niggas I fuck
Completion A: so hard and I'm going to die out here at the end of the day."And of course, she was doing it right before she
Completion B: with like you. I got enough money I could just leave my ass behind and go back to being a bitch. If you wanted me, you shoul
Student: | Completion B |
Teacher:In this task, you have given an input which is agent's reply, based on that you have to identify what will be users' command for that reply. The user generally asks a question related to event scheduling or information of the scheduled events. Agent reply based on the available information or do the task as per user command.
Teacher: Now, understand the problem? Solve this instance: Your flight to Paris is on January 10th from 7:00 to 7:30 AM.
Student: | What day is my flight to Paris? |
Teacher:This task is to translate a news commentary given in Italian language into Zhuang language. Translate the input statement into the output language while preserving the numberical values, special characters and proper nouns and context of the commentary done.
Teacher: Now, understand the problem? Solve this instance: Questo tipo di politiche avrebbero gravi ripercussioni sulla crescita economica statunitense, sul deficit del budget, il risparmio nazionale e di conseguenza sul commercio globale ed i flussi di capitale. Con un deficit più elevato sotto Obama rispetto a Romney, l’America avrebbe bisogno di più capitale dall’Europa, dall’America latina e dall’Asia, mentre un debito più alto e tasse più elevate ostacolerebbero la crescita degli Stati Uniti indebolendo le esportazioni a livello regionale.
Student: | 这些政策将影响到美国的经济增长、预算赤字、国民储蓄,从而影响全球贸易和资本流。奥巴马的赤字将高于罗姆尼,因此美国也将更需要来自欧洲、拉美和亚洲的资本,与此同时,税收和债务的增加将阻碍美国的经济增长,从而破坏这些地区的出口。奥巴马将把美国驶上欧洲式社会福利国家的道路;而罗姆尼的方案是阻止这一幕的发生。 |
In this task, you will be presented with a question in Dutch language, and you have to write the part-of-speech tag for each word and punctuation in the question. Here is the list of part-of-speech tags used in this task: Adj: Adjective, Adv: Adverb, Art: Article, Conj: Conjunction, Int: Interjection, N: Noun, V: Verb, Num: Number, Misc: Miscellaneous, Pron: Pronoun, Prep: Preposition, Punc: Punctuation.
Het leven en de carrière van Tina Turner , gebaseerd op haar biografie I Tina . | Art N Conj Art N Prep N N Punc V Prep Pron N Num N Punc |
Part 1. Definition
In this task you will be given a list of integers. You should round each integer to the nearest tens place. That means you should round the number to the nearest multiple of 10.
Part 2. Example
[-83, 53, -48, 8]
Answer: [-80, 50, -50, 10]
Explanation: The output correctly rounds each integer in the input list to the nearest ten. So this is a good example.
Part 3. Exercise
[116, -167, 855, 490, 25, -314, -38, 57, 143, -869]
Answer: | [120, -170, 860, 490, 20, -310, -40, 60, 140, -870] |
Part 1. Definition
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.
Part 2. Example
It is gonig to rain today.
Answer: gonig
Explanation: The word 'gonig' is a typo of the word 'going' as the characters 'i' and 'n' have been swaped.
Part 3. Exercise
The sesign of this kitchen is an efficient usage of the space.
Answer: | sesign |
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.
Example Input: Fact: the Earth being tilted on its axis causes ones side of the Earth to receive less energy from the Sun than the other side.
Topic: earth tilt winter.
Example Output: During winter, the earth in the Northern Hemisphere is tilted away from the sun.
Example Input: Fact: contact between rocks over long periods of time causes rocks to smooth.
Topic: rocks smooth.
Example Output: Because of the big wave action, the rocks are very smooth.
Example Input: Fact: Carbon monoxide is a gas produced by furnaces and other devices that burn fuel.
Topic: carbon monoxide gas kill sleep.
Example Output: | Carbon monoxide gas is an odorless and colorless gas that can kill.
|
You are given a statement written in Bengali. Choose the most logical word from the given 4 options which can be used to replace the <MASK> token in the statement . Output the word from the correct option .
Statement: ব্যাটেলগ্রাউন্ড (২০১৭) ছিল <MASK> কর্তৃক আয়োজিত পেশাদারি কুস্তি প্রতি-দর্শনে-পরিশোধ (PPV) আয়োজন এবং ডাব্লিউডাব্লিউই দ্বারা প্রযোজিত স্ম্যাকডাউন ব্রান্ডের ডাব্লিউডাব্লিউই নেটওয়ার্কের অনুষ্ঠান। এটি ২০১৭ সালের ২৩ জুলাই পেন্সিল্ভেনিয়ায় ফিলাডেলফিয়ার ওয়েলস ফারগো সেন্টারে অনুষ্ঠিত হয়েছে। এটি ব্যাটেলগ্রাউন্ড কালানুক্রমিকের পঞ্চম অনুষ্ঠান।
Option A: ডাব্লিউডাব্লিউই
Option B: পেন্সিল্ভেনিয়া
Option C: ফিলাডেলফিয়া
Option D: Checkeslovakia
ডাব্লিউডাব্লিউই
Statement: হলিউড ফরেন প্রেস অ্যাসোসিয়েশন (Hollywood Foreign Press Association; সংক্ষেপে এইচএফপিএ) হল মার্কিন যুক্তরাষ্ট্রের বিভিন্ন গণমাধ্যম, যেমন - <MASK>, ম্যাগাজিন ও বই প্রকাশনা, টেলিভিশন ও বেতার সম্প্রচারের সাথে জড়িত সাংবাদিক ও আলোকচিত্রীদের একটি অলাভজনক সংগঠন। এইচএফপিএতে ৫৫টি দেশের ৯০ জন সদস্য রয়েছে। এটি প্রতি বছর জানুয়ারি মাসে লস অ্যাঞ্জেলেসে বার্ষিক গোল্ডেন গ্লোব পুরস্কারের আয়োজন করে, যেখানে চলচ্চিত্র ও টেলিভিশনে এবং বিনোদনের ক্ষেত্রে উল্লেখযোগ্য অবদানকারীদের সম্মাননা প্রদান করে থাকে।
Option A: বেতার
Option B: ম্যাগাজিন
Option C: সংবাদপত্র
Option D: ভাটিণ্ডায়
সংবাদপত্র
Statement: মানভূম জেলার বাংলাভাষী মানুষদের ক্ষোভ আঁচ করে জেলা কংগ্রেসের মুখপাত্র মুক্তি পত্রিকায় ১৯৪৮ খ্রিষ্টাব্দের ৮ই মার্চ হিন্দী প্রচার, বাংলা ভাষাভাষীদের বিক্ষোভ ও মানভূম জেলার বঙ্গভুক্তির যৌক্তিকতা বিশ্লেষণ করে সম্পাদকীয় নিবন্ধ প্রকাশিত হল। এই বিষয়টি বিবেচনার জন্য ১৯৪৮ খ্রিষ্টাব্দের ৩০শে এপ্রিল বান্দোয়ান থানার জিতান গ্রামে অতুলচন্দ্র ঘোষের সভাপতিত্বে জেলা কমিটির অধিবেশন হলে সেখানে প্রতিনিধিদের মধ্যে মতভেদ দেখা দেয়। ঐ বছর ৩০শে মে <MASK> শহরের অধিবেশনে মানভূমের বঙ্গভুক্তির প্রস্তাব ৫৫-৪৩ ভোটে খারিজ হয়ে গেলে অতুলচন্দ্র ঘোষ সহ সাইত্রিশজন জেলা কমিটি থেকে পদত্যাগ করে ১৯৪৮ খ্রিষ্টাব্দের ১৪ই জুন পাকবিড়রা গ্রামে লোক সেবক সংঘ তৈরী করেন।
Option A: শ্রীরামপুর
Option B: পুরুলিয়া
Option C: পশ্চিমবঙ্গ
Option D: চন্দননগর
| পুরুলিয়া
|
We would like you to classify each of the following sets of argument pairs (discussing Death Penalty) into either SIMILAR or NOT SIMILAR. A pair of arguments is considered SIMILAR if the arguments are about the same FACET (making the same argument), and is considered NOT SIMILAR if they do not have the same FACET. A FACET is a low level issue that often reoccurs in many arguments in support of the author's stance or in attacking the other author's position.
--------
Question: Sent1: If you apply that cost to the rest of the nation�۪s executions, the nation has spent over $1 billion on capital punishment since the reinstatement of the penalty via Gregg vs. Georgia in 1976.
Sent2: On a national basis, these figures translate to an extra cost of over $1 billion spent since 1976 on the death penalty.
Answer: Similar
Question: Sent1: So how about we stop a penalty that has executed innocents?
Sent2: If we execute death penalty, we will not be better than murderers.
Answer: Not similar
Question: Sent1: We could get the person who may kill in the future.
Sent2: If someone keeps killing and killing and killing, we need to stop him from taking lives.
Answer: | Not similar
|
TASK DEFINITION: Find the movie name from the given conversation. If the movie name is not found give output as "unknown"
PROBLEM: ASSISTANT: what kind of movies do you like? , USER: i like thriller. I like horror movies a lot. I liked Psycho. I liked American Psycho. I liked the chainsaw massacre series.
SOLUTION: the chainsaw massacre series
PROBLEM: ASSISTANT: What kind of movies do you like? , USER: Thrillers, action, political thrillers, action movies like Die Hard or The Matrix, Sci-Fi movies, things like that.
SOLUTION: The Matrix
PROBLEM: ASSISTANT: What kind of movies do you enjoy and why? , USER: I like historical drama movies. I like them because they're based on true stories, and they have usually have a great screenplay, and they can't make a sequel out of those. , ASSISTANT: Is there a particular film you enjoy? , USER: I like the movie Schindler's List and I like the movie Lincoln.
SOLUTION: | Lincoln
|
Detailed Instructions: The provided files include famous book titles and sentences in the English language, and we ask you to translate those to the Norwegian Language. Please bear in mind the following guidelines while doing the translation: 1) We are looking for the most naturally written and form of each sentence in the Norwegian language. 2) Also names ,dates and places should be preserved it should not get translated.
Problem:Sometimes he will shut up a right of way and defy the parish to make him open it.
Solution: | Undertiden kan han finne på å stenge en vei og nekte bygdens folk å benytte den. |
Instructions: In this task you need to give reasons to justify the pronoun coreference relations. Each of the provided inputs contains a sentence with a target pronoun and a question about how to justify the coreference between a noun phrase and the target pronoun. Good practices involve the discussion about how the descriptions attached to the targeted pronoun relate to the noun phrase candidate in the question. The reasoning could come from one or multiple following knowledge types about commonsense: First: 'Property', the knowledge about property of objects (e.g., ice is cold). Second: 'Object', the knowledge about objects (e.g., cats have ears). Third: 'Eventuality', the knowledge about eventuality (e.g., 'wake up' happens before 'open eyes'). Forth: 'Spatial', the knowledge about spatial position (e.g., object at the back can be blocked). Fifth: 'Quantity', the knowledge about numbers (e.g., 2 is smaller than 10). Sixth: all other knowledge if above ones are not suitable. Write the sentence in natural language.
Input: Sentence: The older students were bullying the younger ones, so we punished them .
Question: Why does the 'them' refer to the older students?
Output: | Because The where bullying the younger students. |
Q: In this task, you're given a sentence and question. Based on the information provided in a given sentence, you should identify the shortest continuous text span from the sentence that serves as an answer to the given question. Answer the question using coreference resolution. Coreference resolution is the task of clustering mentions in text that refer to the same underlying real world entities. For example let's take a sentence 'I voted for Obama because he was most aligned with my values, she said.' Here in this example 'I', 'my', and 'she' belong to the same cluster and 'Obama' and 'he' belong to the same cluster. Now let's discuss another example , original sentence: 'I voted for Trump because he was most aligned with my values',John said. Now here is the same sentence with resolved coreferences: 'John voted for Trump because Trump was most aligned with John's values',John said.
Sentence: The table won't fit through the doorway because it is too wide. Question: What is too wide?
A: | table |
In this task, you are given a country name, and you need to return the country's surface area in terms of square kilometers. Up to two decimal places are allowed in your answer.
Q: Lebanon
A: 10400.00
****
Q: Aruba
A: 193.00
****
Q: Singapore
A: | 618.00
****
|
Teacher:Given an entity as input, output another entity which is part of the input entity. 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., output entity) is in a part-of relationship with its holonym (i.e., input entity).
Teacher: Now, understand the problem? Solve this instance: weed
Student: | runner |
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
The site collects your website activities for personalization or customization. Collection happens when you implicitly provide information in an unspecified way for a user type outside of our label scheme.
Personalization/Customization
The site collects your financial information for legal requirements. Collection happens when you explicitly provide information in an unspecified way.
Legal requirement
The site collects your website activities for marketing purposes. Collection happens when you implicitly provide information on the website.
| Marketing
|
Q: You are given a sentence in Hebrew. Your job is to translate the Hebrew sentence into Portugese.
כשמדברים עם סופר-יוזר, בין אם זה סופר-ארנבת או סופר-אדם ב Stack Overflow, או ב- Uberhosts, כולם מדברים על איך העובדה שיש להם מוניטין גבוה שיחררה אצלם תחושה עצמית של כוח.
A: | Quando falam com super-utilizadores, quer sejam SuperRabbits ou programadores no Stack Overflow ou Uberhosts, todos falam de como ter uma reputação elevada desbloqueia uma sensação de poder próprio. |
Detailed Instructions: You're given a fill-in-the-blank question where the answer is PersonX. You need to minimally change the given question so that the answer flips to PersonY. This task typically involves replacing one word i.e., the 'trigger word' with its antonym (e.g., changing from "sympathetic" to "stern"). You should not change any content in the given question beyond a word or two i.e. the trigger word/phrase. PersonX and PersonY should not be equally likely to fill the blank. For your question, PersonY should be a well-agreed answer to fill in the blank. Your generations should NOT contain potentially explicit, offensive, or adult content. Do not use the names of real people or generic names (e.g., Donald Trump, John Doe, etc.) in your question. Avoid repeating the same style or phrase in generating your modified question e.g. this task can be always solved using a simple negation i.e. by adding not, never, etc. Instead, try to increase the word diversity. Your question must contain at least 15 and at most 30 words. Your question must have at least 70% overlapping words with the given question. You must utilize the given context word while writing the question. Your question must contain only one blank. Make sure that PersonX and PersonY have the same gender. In your question, PersonX and PersonY should be used only ONCE and PersonX should appear earlier than PersonY. Although there are many correct answers, you only need to write one of them.
Q: Context Word: diagnosis.
Question: PersonX heard PersonY received a diagnosis of borderline personality disorder (BPD) from his doctor, _ worried about him. But did not behave differently in front of him.
Answer: PersonX
A: | PersonX received a diagnosis of borderline personality disorder (BPD) from his doctor, PersonY worried about him. But _ did not behave differently in front of him. |
In this task, you will be shown a prompt from a judicial decision and multiple holding statements derived from citations following text in a legal decision. Holdings represent the governing legal rule when the law is applied to a particular set of facts. There are five answer choices for each citing text. The correct answer is the holding statement that corresponds to the citing text. The four incorrect answers are other holding statements. You should find the correct option. There is a <HOLDING> token in the position of the citing text prompt where the holding statement was extracted.
that the criminal is no longer fit to live upon the earth, but is to be exterminated as a monster and a bane to human society, the law sets a note of infamy upon him, puts him out of it’s [sic] protection, and takes no farther care of him than barely to see him executed. He is then called attaint, attincbus, stained, or blackened. He is no longer of any credit or reputation. ...” SBC Communications, Inc. v. FCC, 154 F.3d 226, 235 (5th Cir.1998) (quoting 4 William Blackstone, Commentaries *380). While the prohibition against bills of attainder has evolved far beyond the original context of capital sentences, it continues to focus on legislative enactments that “set[ ] a note of infamy” on the persons to whom the statute applies. See Brown, 381 U.S. at 453-54, 85 S.Ct. at 1717-18 (<HOLDING>) (emphasis added). Viewed in this light, the
Holding statements: (A) holding that it is not (B) holding that bill of review is exclusive remedy on direct attack where court had jurisdictional power even if judgment void (C) holding that a statute is not a bill of attainder where it incorporates no judgment censuring or condemning any man or group of men (D) holding that demand upon a bill already paid or unauthorized demand upon unpaid bill constitutes a false claim even though bill itself contains no false statement (E) holding that the meritorious defense requirement in a bill of review proceeding violates due process where the bill of review plaintiff has no notice of the proceeding in which the default judgment was rendered | (C) |
Definition: This task is to find the number of 'For' loops present in the given cpp program.
Input: int main()
{
int fenjie(int m,int i);
int n,i,c[100];
scanf("%d",&n);
for(i=0;i<n;i++)
scanf("%d",&c[i]);
for(i=0;i<n;i++)
printf("%d\n",fenjie(c[i],2));
return 0;
}
int fenjie(int m,int i)
{
int l = 1,j;
int t = sqrt((float)m);
for (j = i; j <= t; ++j)
{
if (m % j == 0)
l += fenjie(m/j, j);
}
return l;
}
Output: | 3 |
You are given a sentence in Hebrew. Your job is to translate the Hebrew sentence into Portugese.
איש 2: אני אוהב להיות עיוור.
J. Louchart: Eu adoro ser cego.
העיצוב שלנו לוקח את מה שהיה ארבעה עמודים - השקף הקודם היה למעשה העמוד הראשון מבין ארבעה עמודי מידע ואלו הן רק התוצאות הכלליות.
O depois pega no que eram quatro páginas — o anterior diapositivo era, na verdade, a primeira de quatro páginas de dados e isso apenas para uma análise geral ao sangue.
אך העצמי הוא השלכה שמבוסס על השלכותיהם של אנשים אחרים.
| Mas o Eu é uma projecção baseada nas projecções das outras pessoas.
|
Detailed Instructions: In this task, you will be presented with a premise sentence and a hypothesis sentence in Persian. Determine whether the hypothesis sentence entails, contradicts, or is neutral with respect to the given premise sentence. Classify your answers into "Contradiction", "Neutral", or "Entailment".
Problem:Premise: در ایالات متحده، قوانینی مربوط به متخلفین از سوی دیوان عالی ایالات متحده آمریکا و دادگاههای پایینتر، خصوصاً در مورد حرفهای تهدید آمیز و سایر سخنرانیهای خشونتآمیز، وجود دارند اما برخی این قوانین را در تعارض با متمم اول قانون اساسی ایالات متحده آمریکا و حق آزادی بیان میدانند. با تمام این اوصاف، فعالیتهای مربوط به نفرت که منجر به صدمه یا مرگ شده باشند به عنوان جرم شناخته میشوند. <sep> Hypothesis: درست است که در آمریکا آزادی بیان هست ولی بعضی از فعالیتها که باعث ایجاد موج تنفر و بروز جنایتها در اینجا و آنجای کشور بشونند ممنوع هستند.
Solution: | Neutral |
Given a sentence in Japanese, provide an equivalent paraphrased translation in Chinese that retains the same meaning both through the translation and the paraphrase.
Example input: 1975 - 76年のNBAシーズンは、全米バスケットボール協会の30番目のシーズンでした。
Example output: 1975-76赛季的全国篮球协会是NBA的第30个赛季。
Example explanation: This is a correct and accurate translation from Japanese to Chinese because the translated paraphrase retains the main message that between the years 1975-1976, the 30th NBA season occurred.
Q: 彼はHenry David Thoreau、Thomas Cholmondeley、そしてTheodore Parkerのための 'Parker'の友人のために '' Thomas ''と名付けられました。
A: | 他为Henry David Thoreau的朋友Thomas Cholmondeley和Theodore Parker的“Parker”命名为“Thomas”。 |
In this task, you are given a movie review in Persian, and you have to extract aspects of the movie mentioned in the text. We define aspects as music(موسیقی), directing(کارگردانی), screenplay/story(داستان), acting/performance(بازی), cinematography(فیلمبرداری), and scene(صحنه). Although there might be multiple aspects in a review, we only need you to write one aspect.
--------
Question: بد. تقریبا هیچ منطقی به قصه حکمفرما نبود.
Answer: داستان
Question: مستندی قوی و گیرایی بود و بیننده رو به خوبی درگیر میکرد حتی در بسیاری از سکانس ها اشک تماشاچی رو سرازیر میکرد که نشان از قدرت فیلم در واقعی نشان دادن وقایع و برقراری ارتباط با بیننده است... ممنون از کارگردانان با استعداد این اثر.
Answer: کارگردانی
Question: پولاد کیمیایی نشون داد در فیلمسازی همونقدر ضعف داره که در بازیگری
Answer: | کارگردانی
|
Given the task definition, example input & output, solve the new input case.
You will be given a context and a verb separated with a newline character, and you have to answer if the given verb can be anchored in time or not. We say a verb can be anchored in the real timeline if and only if a verb happened in the past, is happening now, or is guaranteed to happen in the future. The output should be "Yes" if the verb can be anchored in time and "No" otherwise.
Example: It was followed by Denmark, Norway, Germany, France, Greece, Luxembourg, Spain, Britain, the United States, Iceland, Belgium, Italy, Portugal and Turkey. NATO decided at last year's Madrid summit to (invite) the three eastern European countries to start accession talks.
Verb: invite
Output: No
This is a good example. The "invite" is not anchorable. Although NATO decided to invite them, they haven't invited them yet, and it's not guaranteed to happen in the future. They might change their decision later.
New input case for you: The enlargement of NATO from 16 members to 19 has been one of the administration's foremost foreign policy goals, one that grew out of a desire, its proponents said, to cement the democratic gains made in the former Warsaw Pact countries after the collapse of communism 10 years ago. But the policy also faced critics, who argued that welcoming these three new countries would (draw) a new line across Europe and antagonize the Russians.
Verb: draw
Output: | No |
Detailed Instructions: 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.
Q: [PERSON] was described as having 'a very strong sense of humour' and 'intensely committed to his sexual orientation'.
A: | Positive |
In this task, we have Spanish and Catalan tweets for automatic stance detection. The data has three labels Against, Favor, and Neutral which express the stance towards the target -independence of Catalonia. If the tweet criticizes the independence of Catalonia then it's 'Against' and if the tweets support it then it will be labeled as 'Favor' also if the tweets state information or news rather than stating opinion then it will be characterized as 'Neutral'.
Tweet: 2) Si a algun lloc tenia sentit lluïr el llaç groc era a Madrid. És allà on hem de fer entendre el que pensem molta gent. Considerem que hi ha presos polítics. Que el seu empresonament és una greu injustícia. I que en reclamem el seu alliberament i el retorn de tots els exiliats.
Favor
Tweet: Artadi assumeix la interlocució amb Madrid per ordre de Puigdemont https://t.co/jkEFyNH7zs
Favor
Tweet: RT @agenciaacn: El @teatrelliure posa música a la radiografia del capitalisme de ‘Lehman Trilogy’ https://t.co/SUORn7jtwy https://t.co/VIt…
| Neutral
|
Instructions: 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.
Input: Fact: the Earth being tilted on its axis causes ones side of the Earth to receive less energy from the Sun than the other side.
Topic: tiled away from sun.
Output: | When it is tilted away from the sun, it is winter. |
Detailed Instructions: You are given a list of integers and an integer target, return a list of a pair of numbers in any order such that they add up to target. If there is no such pair of numbers, then return an empty list
Q: [14, 4, 11, 7, 35, 15, 43, 26, 30, 1, 17, 18, 10, 47, 16, 37, 29, 34, 3, 41], target=49
A: | [14, 35] |
You will be given a sentence containing a pronoun/person name and an emotion. From these implicit parameters, the main goal is to find the gender of the person (male / female).
The situation makes her feel angry.
female
Darnell made me feel enraged.
male
My wife made me feel fearful.
| female
|
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
on rehearing the majority reasserts its position that johnston v. nanney is controlling and quotes from pellegrini v. mccarthy for the purpose of showing mccarthy v. gonnet has been impliedly overruled, thus apparently suggesting pellegrini as an added reason why johnston is controlling here. | overruling |
In this task, you will be presented with the directions of a recipe separated by "," and have to fill in the "___" which is a step that is missing from the recipe.
Preheat oven to 325.,Combine all ingredients except grated chocolate in a medium bowl.,Whisk until foamy and instant coffee has dissolved.,Pour into 6 individual custard cups.,Place cups in 13x9 baking dish and fill with hot water halfway up sides of cups.,______,Garnish with grated chocolate, if desired.,Serve warm or at room temperature. | Bake 55-60 minutes or until knife comes out clean. |
instruction:
The input is a conversation between an automated system and a user looking for suggestions for pubs, restaurants and coffee shops in Cambridge. In the dialogue, the user may provide some criteria for the type of place they want such as price range, cuisine, etc. Given such a dialogue, output the price range the user if looking for which can take one of four values: Cheap, Moderate, Expensive and Don't Care. Output cannot be any other value than the four values. Note that if the user asks for the prices of items provided at a pub, restaurant or coffee shop but doesn't mention the price range they are looking for then the correct classification will be Don't Care. If the user does not mention a particular price, the correct classification will be Don't Care.
question:
System: 'Thank you for calling the Cambridge Information system. Your call will be recorded for research purposes. You may ask for information about a place to eat, such as a restaurant, a pub, or a cafe. How may I help you?'
User: 'hi uh im looking for a seafood restaurant and i dont care about the price range'
System: 'What kind of venue are you looking for? For example, a cafe, or a pub.'
User: 'uh seafood restaurant'
System: 'Loch Fyne, which serves seafood, is a great restaurant.'
User: 'can i have the address and the postcode of the venue'
System: 'Loch Fyne, which serves seafood, is an outstanding restaurant.'
User: 'the address and postcode'
System: 'Loch Fyne, which is in the area with the postcode CB2 1QY, is located on 37 Trumpington Street.'
User: 'uh thank you goodbye'
System: 'Loch Fyne is an outstanding restaurant.'
User: 'uh thank you goodbye'
answer:
Don't Care
question:
System: 'Thank you for calling the Cambridge Information system. Your call will be recorded for research purposes. You may ask for information about a place to eat, such as a restaurant, a pub, or a cafe. How may I help you?'
User: 'sil'
System: 'What kind of price range are you looking for? For example, free, or moderate.'
User: 'im looking for an italian restaurant in a cheap price range'
System: 'Clowns, which serves italian food, is a great cafe and an outstanding restaurant. It's in the cheap price range.'
User: 'okay what is the address and phone number and the area of the venue'
System: 'Clowns is on 54 King Street and its phone number is 01223355711. The price for main courses ranges from 5 pounds to 11 pounds and the price for a cappuccino is 1 pound 50.'
User: 'sil'
System: 'Clowns is an outstanding restaurant.'
User: 'sil'
System: 'Clowns is a great restaurant.'
User: 'phone number'
System: 'Clowns is a great restaurant.'
User: 'what is its phone number'
System: 'The phone number of Clowns is 01223355711.'
User: 'okay thank you so much goodbye'
answer:
Don't Care
question:
System: 'Thank you for calling the Cambridge Information system. Your call will be recorded for research purposes. You may ask for information about a place to eat, such as a restaurant, a pub, or a cafe. How may I help you?'
User: 'noise im trying to find a moderately priced restaurant and i want it to be in the chesterton area'
System: 'Twenty-four, which is in the Chesterton part of town, is an outstanding restaurant. It's in the moderate price range.'
User: 'may i have the address phone number and price of the venue'
System: 'Twenty-four is located on 24 Cambridge Science Park, Milton Road and its phone number is 01223395800. The price for main courses ranges from 6 pounds to 15 pounds.'
User: 'good bye and thank you'
answer:
| Moderate
|
Detailed Instructions: 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.
Q: Content:Мол Марково Тепе ще е домакин на голямо LEGO изложение от 1 до 22 април. Изложението се организира съвместно с българския фен-клуб на световно популярната игра. Партньори на събитието са детски център Capella Play, магазин Комсед и книжарница Orange. Лего темите, върху които Мол Марково Тепе ще акцентира са: CITY, NINJAGO, Super Heroes DC Universe, Super Heroes Batman, TECHNIC и MOCs. Посетителите на търговския и развлекателен център ще имат възможност да се забавляват, да покажат креативните си идеи, да участват в специалните игри и лего работилници, които ще се проведат през уикендите на 1, 2 и 22 април. Състезанията ще се провеждат по четири часа на ден, на два етапа, а участниците в надпреварата ще мерят сили в игрите Нексо Рицари, Марсоход, Speedbuild и Свободно Строене. С колкото повече части на LEGO разполага един състезател, толкова повече възможности има да сглоби онова, за което мечтае. Различните цветове, форми и големини позволяват да се създават разнообразни модели, затова заповядайте в Мол Марково Тепе, покажете вашите възможности и дайте воля на въображението си! В българския фен клуб на играта вече членуват повече от 40 души, които не спират да се забавляват и да строят заедно с децата си. През целия април, гостите на Мол Марково Тепе, ще имат възможност да се насладят, както на последните, така и на неостаряващите модели на LEGO. Градски макет допълнен с Лунапарк, Техник, Нинджаго и Батман са само част от изненадите, които Мол Марково Тепе е подготвил за вас. Ето и програмата на игрите по време на LEGO изложението:1 април/събота/, 2 април/неделя/ - 22 април/събота/От 12:00 до 14:00 часа- Нексо рицари Боулинг; Марсоход; Свободно строене с лего; От 15:00 до 17:00 часа- Конкурс лего бързаци;Свободно строене с лего; За повече информация следете официалната интернет страница на Мол Марково Тепе - http://markovotepemall.bg/и Facebook - www.facebook.com/MarkovoTepeMall/ Още за LEGO: LEGO е най-големият производител в света на автомобилни гуми с размер от 3,2 см. до 10,5 см. диаметър. С 8 бр. от класическото блокче може да се направят повече от 916 000 различни комбинации. Bricklink.com e най-големият неофициален онлайн магазин за части в света. Продава над 27 000 вида части в повече от 144 различни цвята. Децата по цял свят прекарват по 5 милиарда часа годишно играейки с играта. LEGO е най-големият производител на играчки STAR WARS в света. Произвежда около 80-100 различни комплекта от серията на година. Фабриката на LEGO е най-голямата за пластмасови изделия в света, а в нея се шплицоват 21 милиарда тухлички всяка година. Цената на най-скъпия калъп за шплицоване на LEGO тухличка е 250 000 евро.
A: | Мол Марково Тепе домакин на единственото по рода си LEGO... |
Teacher:This task is to translate a news commentary given in Arabic language into Czech language. Translate the input statement into the output language while preserving the numberical values, special characters and context of the commentary done.
Teacher: Now, understand the problem? Solve this instance: ولكن سرعان ما تلاشى هذا الحلم عندما تسببت الحرب الباردة في تقسيم العالم إلى كتلتين متخاصمتين. ولكن بشكل أو آخر، تعزز إجماع 1945 في الغرب بفِعل سياسات الحرب الباردة. فالشيوعية، التي ظلت حتى ذلك الوقت ترفع شعار معاداة الفاشية، كانت تتمتع بجاذبية فكرية وعاطفية واسعة النطاق، ليس فقط في ما يسمى العالم الثالث، بل وأيضاً أوروبا الغربية. وقد خدمت الديمقراطية الاجتماعية، بوعدها بقدر أكبر من المساواة والفرص للجميع، كترياق إيديولوجي. وكان أغلب الديمقراطيين الاجتماعيين من أشد المناهضين للشيوعية في حقيقة الأمر.
Student: | Komunismus, který se stále halil do pláštíku antifašismu, měl značnou intelektuální a emoční přitažlivost, a to nejen v takzvaném třetím světě, ale i v západní Evropě. Jako jeho ideologická protilátka pak sloužila sociální demokracie se svým slibem větší rovnosti a příležitostí pro všechny. |
Given the task definition, example input & output, solve the new input case.
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'.
Example: 10 sottrazione 7
Output: 3
Here, 'sottrazione' represents the subtraction operation. So, the answer is 3 (10-7=3).
New input case for you: 3988 aggiunta 5683 aggiunta 9159 sottrazione 3473 sottrazione 6424 aggiunta 3399 aggiunta 9653 sottrazione 4499
Output: | 17486 |
TASK DEFINITION: In this task, you are given two questions about a domain. Your task is to combine the main subjects of the questions to write a new, natural-sounding question. For example, if the first question is about the tallness of the president and the second question is about his performance at college, the new question can be about his tallness at college. Try to find the main idea of each question, then combine them; you can use different words or make the subjects negative (i.e., ask about shortness instead of tallness) to combine the subjects. The questions are in three domains: presidents, national parks, and dogs. Each question has a keyword indicating its domain. Keywords are "this national park", "this dog breed", and "this president", which will be replaced with the name of an actual president, a national park, or a breed of dog. Hence, in the new question, this keyword should also be used the same way. Do not write unnatural questions. (i.e., would not be a question someone might normally ask about domains). Do not write open-ended or subjective questions. (e.g., questions that can be answered differently by different people.) If you couldn't find the answer to your question from a single Google search, try to write a different question. You do not have to stick with the original question word for word, but you should try to create a question that combines the main subjects of the question.
PROBLEM: Are there brown bears in this national park? Can i hike to a waterfall at this national park?
SOLUTION: Are there brown bears near a waterfall at this national park?
PROBLEM: Do any endangered animals live inside this national park? What varieties of trees are in this national park?
SOLUTION: How many plants living inside this national park are endangered?
PROBLEM: Was this president born on the east coast? What college degree(s) did this president have?
SOLUTION: | Did this president go to college in the state he was born in?
|
In this task, you are given a pair of action statements. Your task is to check if you can conclusively identify which statement is less ethical or not. Answer: 'no' if one of the statements is less ethical, and 'yes' otherwise.
ACTION1: wanting proof of my boyfriend's seemingly outlandish stories about his past after two years of dating ACTION2: not paying my friend back
yes
ACTION1: inviting his family to meet mine in another state ACTION2: not supporting a toxic ex-friend through mental health issues
no
ACTION1: going out with her best friend ACTION2: not taking my parents/sisters to all the touristy spots in NYC, even though they told me the wanted an "authentic" New York experience
| yes
|
Detailed Instructions: In this task you need to give reasons to justify the pronoun coreference relations. Each of the provided inputs contains a sentence with a target pronoun and a question about how to justify the coreference between a noun phrase and the target pronoun. Good practices involve the discussion about how the descriptions attached to the targeted pronoun relate to the noun phrase candidate in the question. The reasoning could come from one or multiple following knowledge types about commonsense: First: 'Property', the knowledge about property of objects (e.g., ice is cold). Second: 'Object', the knowledge about objects (e.g., cats have ears). Third: 'Eventuality', the knowledge about eventuality (e.g., 'wake up' happens before 'open eyes'). Forth: 'Spatial', the knowledge about spatial position (e.g., object at the back can be blocked). Fifth: 'Quantity', the knowledge about numbers (e.g., 2 is smaller than 10). Sixth: all other knowledge if above ones are not suitable. Write the sentence in natural language.
Q: Sentence: Paul tried to call George on the phone, but he wasn't successful.
Question: Why does the 'he' refer to paul?
A: | Because Paul was the person trying to perform an action. |
You will be given a definition of a task first, then an example. Follow the example to solve a new instance of the task.
This task is about using the specified sentence and converting the sentence to Resource Description Framework (RDF) triplets of the form (subject, predicate object). The RDF triplets generated must be such that the triplets accurately capture the structure and semantics of the input sentence. The input is a sentence and the output is a list of triplets of the form [subject, predicate, object] that capture the relationships present in the sentence. When a sentence has more than 1 RDF triplet possible, the output must contain all of them.
University of mississippi was in the selc new conference.
Solution: [['University of Mississippi', 'NEW_CONFERENCE', 'SELC']]
Why? This is a good example since the subject of the sentence is University of Mississipi and it is connected to the object (SELC) via the predicate (new_conference). The output RDF captures the key elements of the sentence and is easily interpretable as well.
New input: Hebrew word אֲדֹנִיָּה is spelled as Adonijah in English
Solution: | [['[TABLECONTEXT]', '[TITLE]', 'Table of Theophoric names with Yah and Yahu suffixes'], ['[TABLECONTEXT]', 'HEBREW_WORD', 'אֲדֹנִיָּה'], ['אֲדֹנִיָּה', 'STRONGS_TRANSLITERATION', "'Adoniyah"], ["'Adoniyah", 'STRONGS_WORDS_COMPOUNDED', "'adown [# 113] & Yah"]] |
In this task, you need to answer 'Yes' if the given word is the longest word (in terms of number of letters) in the given sentence, else answer 'No'. Note that there could be multiple longest words in a sentence as they can have the same length that is the largest across all words in that sentence.
Q: Sentence: 'some curious giraffes surround the people in this vehicle'. Is 'giraffes' the longest word in the sentence?
A: Yes
****
Q: Sentence: 'a blue snowboad with some writing on the top of it'. Is 'the' the longest word in the sentence?
A: No
****
Q: Sentence: 'a soccor player trying to kick the ball but kicking the other player instead'. Is 'kicking' the longest word in the sentence?
A: | Yes
****
|
Instructions: In this task, you're shown a three-part story, with a beginning, middle, and ending. Your job is to slightly modify the middle part, so that the whole story becomes unlikely, improbable, or inconsistent. Generated sentences must minimally alter the given middle, with at most 4 new words added/existing words removed. Your sentence should be grammatically and syntactically correct. Also stick to the context of the given story. For example, if the story talks about "doctors", you can talk about "health" or "diagnosis", but don't mention "aliens". Avoid introducing any extra/irrelevant information, and use names instead of pronouns (e.g. he / she) wherever possible. Avoid simply negating the original middle, for example: "She likes cakes." is changed to "She doesn't like cakes."
Input: Beginning: Osho decided to plant a guava tree in his backyard. Middle: He got the seeds and planted it. Ending: After a few years, the tree began to create guava fruit.
Output: | He got the seeds and threw them away. |
You will be given a definition of a task first, then some input of the task.
You will be given a context and a verb separated with a newline character, and you have to answer if the given verb can be anchored in time or not. We say a verb can be anchored in the real timeline if and only if a verb happened in the past, is happening now, or is guaranteed to happen in the future. The output should be "Yes" if the verb can be anchored in time and "No" otherwise.
Preliminary DNA tests link a missing anti-abortion activist to a strand of hair found near where a sniper shot and killed a Buffalo, N.Y., doctor who performed abortions, a law enforcement official said Friday. The first round of DNA tests on the hair at the FBI Laboratory here established a high probability it came from the same person as a hair (found) in a New Jersey home where James C. Kopp, a 44-year-old anti-abortion protester, lived last year, the official said.
Verb: found
Output: | Yes |
You are given a question-answer pair. Answer with their type. Pay attention that there may be more than one correct type, but you only have to choose one. In your responses, use of the following types:
(1) Humans: Any individual or group of humans, including fictional ones (e.g., a group or organization of persons , an individual, title of a person, description of a person);
(2) Event: Any phenomenon natural or artificial (e.g., named hurricanes, Battles, Wars, Sports events, Terrorist attacks);
(3) Entity: A thing with distinct and independent existence (Animals, Organs of body, Colors, Inventions, books and other creative pieces, Currency name, Diseases, and medicine, Food, Musical instrument, Languages, Plants, Products, Religions, Sports, Elements and substances, Symbols and signs, Techniques and methods, Equivalent terms, Vehicles);
(4) Facility: Something built for a particular purpose (Buildings, Airports, Highways, Bridges);
(5) Location: A place (Cities, Countries, Mountains, States);
(6) Law: Named documents made into laws (e.g., “the first amendment”, "civil rights act");
(7) Organization: an organized body of people with a particular purpose (Company names, e.g. Google, Cults or terrorist groups, e.g. Al Qaeda);
(8) Date: Absolute or relative dates or periods, bigger than 1 day (Years, Range, e.g. from Monday to Tuesday, or during the 20th century, Approximate time);
(9) Time: Any temporal range/unit that is shorter than a day (e.g., 2 o'clock, 1 pm);
(10) Money: Monetary values, including unit (e.g., "$26", "914$");
(11) Quantity: postcodes or other codes, the number of sth, Ranks, fractions, speed, temperature, size, area, and volume, weight (e.g., "26 degree" "17 inch");
(12) Description: description and abstract concepts (e.g., the definition of something, the manner of an action, reasons);
(13) Abbreviation: expression abbreviated (e.g., AMT = abbreviation of Amazon Mechanical Turk). Don't generate any word that is not mentioned in the list of types (Humans, Event, Entity, Facility, Location, Law, Organization, Date, Time, Money, Quantity, Description, Abbreviation). If you can not associate any of the given types with the provided question and answer pair, respond "Other".
Question: When was the first documented translation efforts by foreign Buddhist monks in China? (Answer: 2nd century CE).
Date.
Question: What is the highest dam in the world? (Answer: Nurek Dam).
Facility.
Question: Which single had the most success from that album? (Answer: Love on Top).
| Entity.
|
Detailed Instructions: 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.
Problem:Sentence: Nibras and Quso delivered money to Khallad in Bangkok during Khallad's January 2000 trip to Kuala Lumpur and Bangkok.
Question: What time did Khallad leave for his trip?
Category: Absolute Timepoint.
Solution: | Yes. |
Detailed Instructions: Determine if the provided SQL statement properly addresses the given question. Output 1 if the SQL statement is correct and 0 otherwise. 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: Query: SELECT count(*) WHERE {
?x0 ns:people.person.gender ns:m.02zsn .
?x0 ns:people.person.sibling_s/ns:people.sibling_relationship.sibling|ns:fictional_universe.fictional_character.siblings/ns:fictional_universe.sibling_relationship_of_fictional_characters.siblings ?x1 .
?x1 a ns:people.person .
FILTER ( ?x0 != ?x1 ) .
M2 ns:film.film.edited_by ?x0 .
M2 ns:film.film.written_by ?x0
} Question: Did a art director influence M1 's star and influence M2 's sequel 's cinematographer , star , and writer
A: | 0 |
You are given an original reference as well as a system generated reference. Your task is to judge the naturaleness of the system generated reference. If the utterance could have been produced by a native speaker output 1, else output 0.
System Reference: where would you like it to be near to?
Original Reference: is there an area you would like to be near?.
0
System Reference: la traviata 's address is 2854 mission street, and its phone number is 4152820500.
Original Reference: the address of la traviata is 2854 mission street, and their phone number is 4152820500.
1
System Reference: what area are you looking for?
Original Reference: in what area of the city would you like to stay?.
| 0
|
instruction:
The input is taken from a negotiation between two participants who take the role of campsite neighbors and negotiate for Food, Water, and Firewood packages, based on their individual preferences and requirements. Given an utterance and recent dialogue context containing past 3 utterances (wherever available), output Yes if the utterance contains the elicit-pref strategy, otherwise output No. elicit-pref is a cooperative negotiation strategy. It is used to discover the preference order of the opponent in the negotiation.
question:
Context: 'I don't think you that fat, your lipids will help you stay warm and full out there, haha' 'Im not as good at you at foraginf for food and water i probably dont have the experience as you do being in the outdoors and living off the land.🙂' 'With the extra firewood, you can hunt for fish and other animals outside to thrive'
Utterance: 'i cant hunt if i dont have the proper nutritional value to make sure i can make it that long. how about i get 2 firewood 2 water and 1 food you get the rest'
answer:
No
question:
Context: 'Hi we would like you to consider giving us all of the rations for the trip.' 'hello, that could be a good idea, but I think I need more rations'
Utterance: 'How important are they to you? We would like to get a good mix, preferably more food.'
answer:
Yes
question:
Context: 'Hello how are you today? 🙂 Do you have any initial ideas on how to split everything? '
Utterance: 'I was thinking maybe I could have a majority of the fire food and you can have a majority of the water and food. '
answer:
| No
|
In this task, you are given music product reviews in French language. The goal is to classify the review as "POS" if the overall sentiment of the review is positive or as "NEG" if the overall sentiment of the review is negative.
cette étrange sensation dans l'estomac... . cette espèce de pincement au coeur qui nous transporte ailleurs, une bouffée d'émotion, c'est ce que l'on ressent dès que les premières notes du disque nous parviennent aux oreilles, car si cette histoire est quelquefois sanglante, elle est avant tout épique et extraordinairement émouvante, tout comme la musique qui l'accompagne, envoutante, mais aussi apaisante, rarement une musique aura su ainsi combiner les sentiments de force et sérénité. | POS |
Detailed Instructions: Read the given text and if it has abusive content then indicate via "yes". Otherwise indicate via"no".
We consider the content to be abusive if it contains any of the following instances: (1) Identity Directed Abuse (e.g., Content which contains a negative statement made against an identity. An identity is a social category that relates to a fundamental aspect of individuals community, socio-demographics, position or self-representation) (2) Affiliation Directed Abuse (e.g., Content which express negativity against an affiliation. We define affiliation as a (more or less) voluntary association with a collective. Affiliations include but are not limited to: memberships (e.g. Trade unions), party memberships (e.g. Republicans), political affiliations (e.g. Right-wing people) and occupations (e.g. Doctors).) (3) Person Directed Abuse (e.g., Content which directs negativity against an identifiable person, who is either part of the conversation thread or is named. Person-directed abuse includes serious character based attacks, such as accusing the person of lying, as well as aggression, insults and menacing language.) and (4) Counter Speech (e.g., Content which challenges, condemns or calls out the abusive language of others.). Note that URLs in the text have been replaced with [Link].
Q: > Was I kind to him? Well, no. I'm just wondering what magical words you found to get this type of reaction. I've gotten more bans than I could even count and have replied with all sorts of insane shit to the modmail. I think I told one to hurry back to his circlejerk before he missed his cumshower...told another to suck the diarrhea out of my ass with a straw...just whatever craziness happened to pop into my head at the moment that was a bit more creative than telling them to shove their sub up their ass. But never got suspended. I guess it depends on what mod it is.
A: | no |
This task is to translate a news commentary given in Arabic language into Czech language. Translate the input statement into the output language while preserving the numberical values, special characters and context of the commentary done.
ماذا بعد أنان | Po Annanovi |
Subsets and Splits