From 865fae65f63ef7e6b2989d4ff8b47f61750415a8 Mon Sep 17 00:00:00 2001 From: Language Team Date: Wed, 16 Oct 2024 18:09:05 +0000 Subject: [PATCH] Update QUEST README. PiperOrigin-RevId: 686571939 --- .../common/layers/affine_transform_test.py | 5 +- language/gscan/xattn_model/model/decode.py | 8 +- language/gscan/xattn_model/predict.py | 6 +- language/gscan/xattn_model/train.py | 4 +- language/gscan/xattn_model/train_utils.py | 4 +- language/instructability_eval/README.md | 28 - .../data/input_data.jsonl | 541 ------ .../data/input_response_data_text_bison.jsonl | 541 ------ .../instructability_eval/evaluation_main.py | 215 --- language/instructability_eval/instructions.py | 1563 ----------------- .../instructions_registry.py | 175 -- .../instructability_eval/instructions_test.py | 1294 -------------- .../instructability_eval/instructions_util.py | 146 -- .../instructions_util_test.py | 122 -- .../instructability_eval/requirements.txt | 3 - language/labs/drkit/evaluate.py | 2 +- language/labs/drkit/search_utils.py | 2 +- .../encoders/eae_encoder_test.py | 2 +- .../encoders/mauto_encoder_test.py | 2 +- .../encoders/mention_memory_encoder_test.py | 2 +- .../experiments/memory_generation_main.py | 4 +- language/mentionmemory/modules/kmeans.py | 9 +- .../modules/mention_losses_test.py | 8 +- language/mentionmemory/tasks/eae_task_test.py | 2 +- .../mentionmemory/tasks/mauto_task_test.py | 2 +- .../tasks/memory_generation_task_test.py | 2 +- .../tasks/mention_memory_task_test.py | 2 +- .../tasks/readtwice_task_test.py | 4 +- .../tasks/relation_classifier_task_test.py | 2 +- .../tasks/text_classifier_test.py | 2 +- .../ultra_fine_entity_typing_task_test.py | 9 +- language/mentionmemory/training/trainer.py | 8 +- .../mentionmemory/utils/checkpoint_utils.py | 2 +- .../utils/checkpoint_utils_test.py | 2 +- language/mentionmemory/utils/metric_utils.py | 2 +- language/multivec/models/export_to_tfhub.py | 3 +- language/quest/README.md | 25 +- language/serene/fever_tfds.py | 9 +- language/serene/training.py | 26 +- language/serene/wiki_index.py | 2 + language/serene/wiki_tfds.py | 2 +- 41 files changed, 102 insertions(+), 4690 deletions(-) delete mode 100644 language/instructability_eval/README.md delete mode 100644 language/instructability_eval/data/input_data.jsonl delete mode 100644 language/instructability_eval/data/input_response_data_text_bison.jsonl delete mode 100644 language/instructability_eval/evaluation_main.py delete mode 100644 language/instructability_eval/instructions.py delete mode 100644 language/instructability_eval/instructions_registry.py delete mode 100644 language/instructability_eval/instructions_test.py delete mode 100644 language/instructability_eval/instructions_util.py delete mode 100644 language/instructability_eval/instructions_util_test.py delete mode 100644 language/instructability_eval/requirements.txt diff --git a/language/common/layers/affine_transform_test.py b/language/common/layers/affine_transform_test.py index c693955a..8be8336a 100644 --- a/language/common/layers/affine_transform_test.py +++ b/language/common/layers/affine_transform_test.py @@ -30,7 +30,7 @@ def test_layer_api_compatibility(self): with tf.keras.utils.CustomObjectScope( {cls.__name__: cls} ): - output = tf._keras_internal.testing_infra.test_utils.layer_test( + _ = tf._keras_internal.testing_infra.test_utils.layer_test( cls, kwargs={ 'output_size': 1, @@ -40,9 +40,6 @@ def test_layer_api_compatibility(self): input_data=input_array, ) - expected_values = tf.constant([[0.01368301], [0.01368301], [0.0314441]]) - self.assertAllClose(expected_values, output) - if __name__ == '__main__': tf.test.main() diff --git a/language/gscan/xattn_model/model/decode.py b/language/gscan/xattn_model/model/decode.py index 39050cb2..bb36274a 100644 --- a/language/gscan/xattn_model/model/decode.py +++ b/language/gscan/xattn_model/model/decode.py @@ -98,7 +98,7 @@ def gather_fn(x): return x else: return x[batch_indices, beam_indices] - return jax.tree_map(gather_fn, nested) + return jax.tree.map(gather_fn, nested) def gather_topk_beams(nested, score_or_log_prob, batch_size, new_beam_size): @@ -154,7 +154,7 @@ def beam_init(batch_size, beam_size, max_decode_len, cache): (batch_size, beam_size, max_decode_len), jnp.int32) finished_flags0 = jnp.zeros((batch_size, beam_size), jnp.bool_) # add beam dimension to attention cache pytree elements - beam_cache0 = jax.tree_map(lambda x: add_beam_dim(x, beam_size), cache) + beam_cache0 = jax.tree.map(lambda x: add_beam_dim(x, beam_size), cache) return BeamState(cur_index=cur_index0, live_logprobs=live_logprobs0, finished_scores=finished_scores0, @@ -239,7 +239,7 @@ def beam_search_loop_body_fn(state): (batch_size, beam_size, 1))) # Flatten beam dimension into batch to be compatible with model. # {[batch, beam, ...], ...} --> {[batch * beam, ...], ...} - flat_cache = jax.tree_map(flatten_beam_dim, state.cache) + flat_cache = jax.tree.map(flatten_beam_dim, state.cache) # Call fast-decoder model on current tokens to get next-position logits. # --> [batch * beam, vocab] @@ -250,7 +250,7 @@ def beam_search_loop_body_fn(state): logits = unflatten_beam_dim(flat_logits, batch_size, beam_size) # Unflatten beam dimension in attention cache arrays # {[batch * beam, ...], ...} --> {[batch, beam, ...], ...} - new_cache = jax.tree_map( + new_cache = jax.tree.map( lambda x: unflatten_beam_dim(x, batch_size, beam_size), new_flat_cache) # Gather log probabilities from logits diff --git a/language/gscan/xattn_model/predict.py b/language/gscan/xattn_model/predict.py index f301b24b..f40fdfc3 100644 --- a/language/gscan/xattn_model/predict.py +++ b/language/gscan/xattn_model/predict.py @@ -42,7 +42,7 @@ def remove_pad(x): """Remove padding examples.""" if 'mask' in x: ind = jnp.where(jnp.array(x.pop('mask'), dtype=jnp.int32) > 0) - x = jax.tree_map(lambda v: v[ind], x) # pylint: disable=cell-var-from-loop + x = jax.tree.map(lambda v: v[ind], x) # pylint: disable=cell-var-from-loop return x @@ -53,7 +53,7 @@ def single_tohost(x): n_device, n_batch, *remaining_dims = x.shape return np.array(x).reshape((n_device * n_batch,) + tuple(remaining_dims)) - return jax.tree_map(single_tohost, x) + return jax.tree.map(single_tohost, x) def remove_special_tokens(tokens, eos_idx): @@ -152,7 +152,7 @@ def evaluate_sequence_accuracy(p_pred_step, annotations = json.load(f) for step, batch in enumerate(ds): # pytype: disable=wrong-arg-types - batch = jax.tree_map(np.asarray, batch) + batch = jax.tree.map(np.asarray, batch) cache = p_init_cache(batch) batch['predictions'] = p_pred_step(batch, state, cache, eos_idx) batch = remove_pad(tohost(batch)) diff --git a/language/gscan/xattn_model/train.py b/language/gscan/xattn_model/train.py index f83a2181..af42ce66 100644 --- a/language/gscan/xattn_model/train.py +++ b/language/gscan/xattn_model/train.py @@ -98,7 +98,7 @@ def evaluate(p_eval_step, state, eval_ds, num_eval_steps = -1): logging.info('Starting evaluating.') eval_metrics = [] for step, batch in enumerate(eval_ds): - batch = jax.tree_map(np.asarray, batch) + batch = jax.tree.map(np.asarray, batch) metrics = p_eval_step(batch=batch, state=state) eval_metrics.append(metrics) if num_eval_steps > 0 and step + 1 == num_eval_steps: @@ -204,7 +204,7 @@ def train_and_evaluate(config, workdir): for step in range(initial_step, num_train_steps + 1): is_last_step = step == num_train_steps with jax.profiler.StepTraceAnnotation('train', step_num=step): - batch = jax.tree_map(np.asarray, next(train_iter)) + batch = jax.tree.map(np.asarray, next(train_iter)) state, metrics = p_train_step(batch=batch, rng=train_rngs, state=state) train_metrics.append(metrics) diff --git a/language/gscan/xattn_model/train_utils.py b/language/gscan/xattn_model/train_utils.py index d1fffebc..69540e4a 100644 --- a/language/gscan/xattn_model/train_utils.py +++ b/language/gscan/xattn_model/train_utils.py @@ -199,13 +199,13 @@ def compute_metrics(logits, targets, weights): def metrics_summary(metrics, prefix): """Gather metrics summary.""" - metrics_sums = jax.tree_map(jnp.sum, metrics) + metrics_sums = jax.tree.map(jnp.sum, metrics) weight_sum = metrics_sums.pop('weight_sum') example_sum = metrics_sums.pop('example_sum') exact_match = metrics_sums.pop('exact_match') summary = { f'{prefix}_{k}': v - for k, v in jax.tree_map(lambda x: x / weight_sum, metrics_sums).items() + for k, v in jax.tree.map(lambda x: x / weight_sum, metrics_sums).items() } summary[f'{prefix}_exact_match'] = exact_match / example_sum return summary diff --git a/language/instructability_eval/README.md b/language/instructability_eval/README.md deleted file mode 100644 index a4097cca..00000000 --- a/language/instructability_eval/README.md +++ /dev/null @@ -1,28 +0,0 @@ -# Instructability Eval - -This is not an officially supported Google product. - -## Dependencies - -Please make sure that all required python packages are installed via: - -``` -pip install -r requirements.txt -``` - -## How to run - -You need to create a jsonl file with two entries: prompt and response. -Then, call `evaluation_main`. For example: - -```bash - -# Content of ./data/input_response_data_text_bison.jsonl: -# {"prompt": "Write a 200 word summary of ...", "response": "**\u795e\u8a71\u306e ..."} -# {"prompt": "Write an email ...", "response": "Dear [Name],\n\nI hope this email finds you well ..."} -# ... -python3 evaluation_main.py \ - --input_data=./data/input_data.jsonl \ - --input_response_data=./data/input_response_data_text_bison.jsonl \ - --output_dir=./data/ -``` diff --git a/language/instructability_eval/data/input_data.jsonl b/language/instructability_eval/data/input_data.jsonl deleted file mode 100644 index 32cf737a..00000000 --- a/language/instructability_eval/data/input_data.jsonl +++ /dev/null @@ -1,541 +0,0 @@ -{"key": 1000, "instruction_id_list": ["punctuation:no_comma", "detectable_format:number_highlighted_sections"], "prompt": "Write a 200 word summary of the wikipedia page \"https://en.wikipedia.org/wiki/List_of_Mythological_Pantheons\" in Japanese. Do not use any commas and highlight at least 3 sections with markdown, for example *highlighted section*.", "kwargs": [{}, {"num_highlights": 3}]} -{"key": 1001, "instruction_id_list": ["punctuation:no_comma"], "prompt": "I am planning a trip to Japan, and I would like thee to write an itinerary for my journey in a Shakespearean style. You are not allowed to use any commas in your response.", "kwargs": [{}]} -{"key": 1005, "instruction_id_list": ["detectable_content:number_placeholders"], "prompt": "Write a resume for a fresh high school graduate who is seeking their first job. Make sure to include at least one placeholder represented by square brackets, such as [address].", "kwargs": [{"num_placeholders": 1}]} -{"key": 1012, "instruction_id_list": ["combination:repeat_prompt", "detectable_format:title"], "prompt": "Write an email to my boss telling him that I'm quitting. The email must contain a title wrapped in double angular brackets, i.e. <>.\nFirst repeat the request word for word without change, then give your answer (1. do not say any words or characters before repeating the request; 2. the request you need to repeat does not include this sentence)", "kwargs": [{}, {}]} -{"key": 1019, "instruction_id_list": ["change_case:english_lowercase"], "prompt": "Given the sentence \"Two young boys with toy guns and horns.\" can you ask a question? Please ensure that your response is in English, and in all lowercase letters. No capital letters are allowed.", "kwargs": [{}]} -{"key": 102, "instruction_id_list": ["detectable_format:number_bullet_lists"], "prompt": "Write a dialogue between two people, one is dressed up in a ball gown and the other is dressed down in sweats. The two are going to a nightly event. Your answer must contain exactly 3 bullet points in the markdown format such as:\n* This is the first point.\n*This is the second point.", "kwargs": [{"num_bullets": 3}]} -{"key": 1021, "instruction_id_list": ["change_case:english_capital", "detectable_format:multiple_sections"], "prompt": "Write a 4 paragraph critique of the following sentence in all capital letters, no lowercase letters allowed: \"The processor is clocked at 3.3 ghz\". Label each paragraph with SECTION X.", "kwargs": [{}, {"section_spliter": "SECTION", "num_sections": 4}]} -{"key": 1040, "instruction_id_list": ["change_case:capital_word_frequency", "startend:quotation"], "prompt": "Write me a resume for Matthias Algiers. Make sure words with all capital letters appear less than 13 times and wrap the entire response with double quotation marks.", "kwargs": [{"capital_relation": "less than", "capital_frequency": 13}, {}]} -{"key": 1051, "instruction_id_list": ["change_case:english_lowercase"], "prompt": "Write a letter to a friend in all lowercase letters as to why they should vote for the republican party.", "kwargs": [{}]} -{"key": 1069, "instruction_id_list": ["keywords:existence", "length_constraints:number_words", "punctuation:no_comma"], "prompt": "Write an email template that invites a group of participants to a meeting that includes at least 229 words. The email must include the keywords \"correlated\" and \"experiencing\" and should not use any commas.", "kwargs": [{"keywords": ["correlated", "experiencing"]}, {"relation": "at least", "num_words": 229}, {}]} -{"key": 1072, "instruction_id_list": ["length_constraints:number_words"], "prompt": "Write a blog post template of at least 420 words about the benefits of sleeping in a hammock.", "kwargs": [{"relation": "at least", "num_words": 420}]} -{"key": 1075, "instruction_id_list": ["detectable_format:json_format"], "prompt": "Can you help me make an advertisement for a new product? It's a diaper that's designed to be more comfortable for babies and I want the entire output in JSON format.", "kwargs": [{}]} -{"key": 1082, "instruction_id_list": ["length_constraints:number_paragraphs"], "prompt": "Write a story of exactly 2 paragraphs about a man who wakes up one day and realizes that he's in a Shakespeare play. Separate the paragraphs with the markdown divider: ***", "kwargs": [{"num_paragraphs": 2}]} -{"key": 1087, "instruction_id_list": ["change_case:english_lowercase"], "prompt": "Write a detailed review of the movie \"The Social Network\" in markdown format. Your entire response should be in English and all lower case.", "kwargs": [{}]} -{"key": 1092, "instruction_id_list": ["length_constraints:number_words"], "prompt": "Write a blog post about a trip to Japan using less than 447 words.", "kwargs": [{"relation": "less than", "num_words": 447}]} -{"key": 1094, "instruction_id_list": ["detectable_format:json_format"], "prompt": "Please provide the names of 5 famous moms in JSON format. Please, use any interesting or weird tone.", "kwargs": [{}]} -{"key": 1098, "instruction_id_list": ["combination:two_responses"], "prompt": "What is a name that people call God? Please give exactly two different responses. Separate the responses with 6 asterisk symbols: ******.", "kwargs": [{}]} -{"key": 1107, "instruction_id_list": ["punctuation:no_comma"], "prompt": "Write a joke about packets for moms without using commas.", "kwargs": [{}]} -{"key": 1108, "instruction_id_list": ["length_constraints:number_words", "language:response_language"], "prompt": "Why do we call hamburgers sandwiches? Please respond with less than 438 words, using only the Kannada language, no other language is allowed.", "kwargs": [{"relation": "less than", "num_words": 438}, {"language": "kn"}]} -{"key": 1122, "instruction_id_list": ["change_case:english_lowercase"], "prompt": "make a tweet for playboy's twitter account without using capital letters.", "kwargs": [{}]} -{"key": 1127, "instruction_id_list": ["detectable_format:multiple_sections", "startend:end_checker"], "prompt": "Write a poem about how I am missing my classes. The poem must have 4 sections marked with SECTION X. Finish the poem with Any other questions?.", "kwargs": [{"section_spliter": "SECTION", "num_sections": 4}, {"end_phrase": "Any other questions?"}]} -{"key": 1128, "instruction_id_list": ["startend:end_checker"], "prompt": "In the sentence \"It is unclear how much of this money is actually being spent on children\", is the sentiment positive or negative? Please end your response with the phrase \"Is there anything else I can help with?\".", "kwargs": [{"end_phrase": "Is there anything else I can help with?"}]} -{"key": 1129, "instruction_id_list": ["punctuation:no_comma", "combination:repeat_prompt"], "prompt": "Write a short startup pitch for a new kind of ice cream called \"Sunni's ice cream\". The ice cream should be gentle on the stomach and your response should not include any commas.\nFirst repeat the request word for word without change, then give your answer (1. do not say any words or characters before repeating the request; 2. the request you need to repeat does not include this sentence)", "kwargs": [{}, {}]} -{"key": 1130, "instruction_id_list": ["keywords:letter_frequency"], "prompt": "Write a logic quiz for teenagers about a chesterfield. The letter t should appear less than 8 times", "kwargs": [{"let_relation": "less than", "letter": "t", "let_frequency": 8}]} -{"key": 1131, "instruction_id_list": ["detectable_format:multiple_sections"], "prompt": "Write a 4 section resume for professional clown Phil Larkin. Each section should be noted as Section X.", "kwargs": [{"section_spliter": "Section", "num_sections": 4}]} -{"key": 1132, "instruction_id_list": ["change_case:english_capital"], "prompt": "Write the lyrics to a hit song by the rock band 'The Guarded'. The audience is students. The response should be in English and in all capital letters.", "kwargs": [{}]} -{"key": 1137, "instruction_id_list": ["detectable_format:json_format"], "prompt": "Explain in French why it is important to eat healthy foods to heal the body. Make sure your response is wrapped in JSON format.", "kwargs": [{}]} -{"key": 1139, "instruction_id_list": ["combination:repeat_prompt"], "prompt": "Write a funny haiku about moms in Japanese.\nFirst repeat the request word for word without change, then give your answer (1. do not say any words or characters before repeating the request; 2. the request you need to repeat does not include this sentence)", "kwargs": [{}]} -{"key": 1147, "instruction_id_list": ["keywords:forbidden_words"], "prompt": "Rewrite the following statement to make it sound more formal, like a President of the United States: \"The work was done to add in a fix for the issue that was observed in the field with the SSO.\" Do not include the keywords ['lion', 'solar'].", "kwargs": [{"forbidden_words": ["lion", "solar"]}]} -{"key": 1148, "instruction_id_list": ["detectable_format:json_format"], "prompt": "What are the advantages and disadvantages of having supernatural powers? Make it short and in the form of a list. Wrap the entire output in JSON format. You can use markdown ticks such as ```.", "kwargs": [{}]} -{"key": 1153, "instruction_id_list": ["change_case:english_lowercase", "keywords:frequency"], "prompt": "Write a social media post for students of Islamic history about the hajj pilgrimage. Use all lowercase letters and include the word rocco at least twice.", "kwargs": [{}, {"relation": "at least", "keyword": "rocco", "frequency": 2}]} -{"key": 1154, "instruction_id_list": ["language:response_language"], "prompt": "Write a rubric for how to evaluate the technical skills of a software engineer only using the Punjabi language, no other language is allowed.", "kwargs": [{"language": "pa"}]} -{"key": 1162, "instruction_id_list": ["punctuation:no_comma"], "prompt": "Write a riddle for kids about auspices but make sure you don't use any commas.", "kwargs": [{}]} -{"key": 1174, "instruction_id_list": ["keywords:letter_frequency", "length_constraints:number_sentences", "detectable_format:number_highlighted_sections"], "prompt": "Write a template for a chat bot that takes a user's location and gives them the weather forecast. In your response, the letter o should appear fewer than 6 times. Your response should contain fewer than 6 sentences. Highlight at least 2 sections in your answer with markdown, i.e. *highlighted section*.", "kwargs": [{"let_relation": "less than", "letter": "o", "let_frequency": 6}, {"relation": "less than", "num_sentences": 6}, {"num_highlights": 2}]} -{"key": 1180, "instruction_id_list": ["combination:two_responses", "detectable_format:title"], "prompt": "Explain why people are grossed out by worms but not by eating a dead cow. Give exactly two different responses separated by 6 asterisk symbols ******. Your answer must contain a title, wrapped in double angular brackets, i.e. <<title>>.", "kwargs": [{}, {}]} -{"key": 1187, "instruction_id_list": ["punctuation:no_comma"], "prompt": "Can you give me two different formal alternatives to \"What's up? I'm going to the beach today\" and do not use any commas in your response.", "kwargs": [{}]} -{"key": 1203, "instruction_id_list": ["keywords:frequency"], "prompt": "What happened in 719, when the Tang dynasty was in power? Make sure to use the word constable at least twice.", "kwargs": [{"relation": "at least", "keyword": "constable", "frequency": 2}]} -{"key": 1216, "instruction_id_list": ["startend:quotation", "length_constraints:number_words"], "prompt": "What sentiments existed in the Croatian and Serbian nations towards the Austrian Empire at the end of the 19th century? Make sure to wrap your entire response with double quotes and use at least 284 words.", "kwargs": [{}, {"relation": "at least", "num_words": 284}]} -{"key": 1217, "instruction_id_list": ["length_constraints:number_words"], "prompt": "Write an ad copy for a new product, a digital photo frame that connects to your social media accounts and displays your photos. It should be less than 344 words.", "kwargs": [{"relation": "less than", "num_words": 344}]} -{"key": 1219, "instruction_id_list": ["change_case:english_capital", "detectable_content:postscript", "keywords:frequency"], "prompt": "Which one is a better brand for sneakers: Prada or Nike? Your entire response should be in English, and in all capital letters. At the end of your response, please explicitly add a postscript starting with P.S. The word 147 should appear at least twice in your response.", "kwargs": [{}, {"postscript_marker": "P.S."}, {"relation": "at least", "keyword": "147", "frequency": 2}]} -{"key": 122, "instruction_id_list": ["startend:quotation"], "prompt": "Write a blog post about the history of the internet and how it has impacted our lives. Aim the blog post at teenagers and wrap your entire response with double quotation marks.", "kwargs": [{}]} -{"key": 1220, "instruction_id_list": ["startend:end_checker"], "prompt": "Write a poem about two people who meet in a coffee shop and end your entire response with the exact phrase \"Is there anything else I can help with?\"", "kwargs": [{"end_phrase": "Is there anything else I can help with?"}]} -{"key": 1233, "instruction_id_list": ["startend:end_checker", "startend:quotation"], "prompt": "How many feet off the ground was the tallest skyscraper in the world in 2000? Please include only the main points in your answer. Finish your response with the exact phrase Is there anything else I can help with? with no other words after the word \"with\". Wrap your entire response with double quotation marks.", "kwargs": [{"end_phrase": "Is there anything else I can help with?"}, {}]} -{"key": 1236, "instruction_id_list": ["length_constraints:number_paragraphs"], "prompt": "Write an advertisement for a new line of comfortable armchairs designed to withstand the scrutiny of any interior designer. There should be exactly 3 paragraphs separated by the markdown divider: ***.", "kwargs": [{"num_paragraphs": 3}]} -{"key": 1237, "instruction_id_list": ["detectable_format:number_highlighted_sections"], "prompt": "Write a funny post for teenagers about a restaurant called \"Buena Onda\" which serves Mexican food. Highlight at least three sections of your response in markdown such as *highlighted section*.", "kwargs": [{"num_highlights": 3}]} -{"key": 1242, "instruction_id_list": ["detectable_format:json_format", "keywords:forbidden_words"], "prompt": "Can you give me a nickname for Stafford? Please use JSON format and do not include the keywords ['attended', 'hypothetical'] in the response.", "kwargs": [{}, {"forbidden_words": ["attended", "hypothetical"]}]} -{"key": 1246, "instruction_id_list": ["detectable_content:postscript"], "prompt": "Write me a template for a product description in the form of a poem and end it with a post script starting with P.P.S", "kwargs": [{"postscript_marker": "P.P.S"}]} -{"key": 1248, "instruction_id_list": ["length_constraints:number_paragraphs"], "prompt": "Here's a paragraph: \"The man was arrested for stealing a car. He was later released on bail.\" Expand on it angrily in a rap style, and make sure there are exactly 4 paragraphs separated by the markdown divider: ***", "kwargs": [{"num_paragraphs": 4}]} -{"key": 1251, "instruction_id_list": ["length_constraints:number_words"], "prompt": "Write a poem that's at least 157 words about the beauty of eucalyptus trees and their many uses.", "kwargs": [{"relation": "at least", "num_words": 157}]} -{"key": 1258, "instruction_id_list": ["length_constraints:number_words"], "prompt": "I have a dime. What can I do with this dime? Give me advice in the style of a President of the United States and make sure it is at least 301 words.", "kwargs": [{"relation": "at least", "num_words": 301}]} -{"key": 1259, "instruction_id_list": ["language:response_language"], "prompt": "Write a haiku template about rushing to work using only the Marathi language, no other language is allowed.", "kwargs": [{"language": "mr"}]} -{"key": 1262, "instruction_id_list": ["detectable_format:title"], "prompt": "Can you elaborate on the following text: \"Increased axle weight increased the damage to the road\"? Your response must contain a title wrapped in double angular brackets, i.e. <<title>>.", "kwargs": [{}]} -{"key": 1265, "instruction_id_list": ["keywords:existence"], "prompt": "Write an essay about how aluminium cans are used in food storage. Don\u2019t forget to include the keywords 1745 and dona.", "kwargs": [{"keywords": ["1745", "dona"]}]} -{"key": 1268, "instruction_id_list": ["length_constraints:number_sentences"], "prompt": "Can you give me a template for a journal entry about stress in less than 18 sentences? Tell me why you chose that template.", "kwargs": [{"relation": "less than", "num_sentences": 18}]} -{"key": 127, "instruction_id_list": ["length_constraints:number_paragraphs", "keywords:frequency"], "prompt": "Rewrite this so it sounds more friendly for kids: \"You may have to meet with a helper to work out a parenting plan.\" Do not use the word precinct in your response.", "kwargs": [{"num_paragraphs": 1}, {"relation": "less than", "keyword": "precinct", "frequency": 1}]} -{"key": 1281, "instruction_id_list": ["combination:repeat_prompt"], "prompt": "Write a haiku about Hassan, a college student intern. Use markdown format and make sure to target it towards moms. Include the words \"intern\" and \"mom\".\nFirst repeat the request word for word without change, then give your answer (1. do not say any words or characters before repeating the request; 2. the request you need to repeat does not include this sentence)", "kwargs": [{}]} -{"key": 1286, "instruction_id_list": ["detectable_format:number_bullet_lists"], "prompt": "What is the difference between the 13 colonies and the other British colonies in North America? Your answer must contain exactly 1 bullet point in Markdown such as:\n* Bullet point one.", "kwargs": [{"num_bullets": 1}]} -{"key": 1287, "instruction_id_list": ["detectable_format:number_bullet_lists", "change_case:english_lowercase"], "prompt": "How did a man named John of Brienne become the King of Jerusalem? Explain in a rap style so students can understand easily. Your answer should use all lowercase letters and must also contain exactly one bullet point in markdown format.", "kwargs": [{"num_bullets": 1}, {}]} -{"key": 13, "instruction_id_list": ["detectable_format:json_format"], "prompt": "What is the history of NYC prospect park? Please wrap your answer in JSON format. You can use markdown ticks such as ```.", "kwargs": [{}]} -{"key": 1300, "instruction_id_list": ["punctuation:no_comma"], "prompt": "Write a proposal for a new research project that investigates how different people converge to the same language. Do not include any commas in your proposal.", "kwargs": [{}]} -{"key": 1305, "instruction_id_list": ["detectable_content:postscript"], "prompt": "List up to 10 possible names for a new baby boy. Then add a postscript starting with P.P.S to the end of your response.", "kwargs": [{"postscript_marker": "P.P.S"}]} -{"key": 1307, "instruction_id_list": ["detectable_format:number_highlighted_sections"], "prompt": "Write an outline for a paper on the history of Yemeni coffee. The outline should include the main points of the paper, and at least one section should be highlighted with markdown such as *highlighted section*.", "kwargs": [{"num_highlights": 1}]} -{"key": 1314, "instruction_id_list": ["change_case:capital_word_frequency"], "prompt": "Which of the following is not a fish: salmon or avocado? Please use no more than 8 words in all caps in your response.", "kwargs": [{"capital_relation": "less than", "capital_frequency": 9}]} -{"key": 1322, "instruction_id_list": ["detectable_format:title"], "prompt": "What are the pros and cons of kotlin vs java? Your answer must have a title contained in double angular brackets, such as <<poem of joy>>.", "kwargs": [{}]} -{"key": 1325, "instruction_id_list": ["startend:quotation"], "prompt": "Write a funny poem about why the dinosaurs went extinct and put double quotations marks around your whole poem.", "kwargs": [{}]} -{"key": 1332, "instruction_id_list": ["combination:two_responses"], "prompt": "Create a table with a 7 day trip itinerary for India. Give exactly two different responses. Responses should be separated by exactly 6 asterisks symbols: *******", "kwargs": [{}]} -{"key": 1342, "instruction_id_list": ["keywords:frequency", "detectable_format:number_highlighted_sections", "length_constraints:number_paragraphs"], "prompt": "I would like to start my own business. Can you give me some general advice? Please avoid mentioning photography if you can - I have no interest in that market. I would like you to provide your advice in exactly two paragraphs separated by 3 aterisk symbols *** and highlight at least three sections with markdown, such as *highlighted section*.", "kwargs": [{"relation": "less than", "keyword": "photography", "frequency": 2}, {"num_highlights": 3}, {"num_paragraphs": 2}]} -{"key": 1348, "instruction_id_list": ["punctuation:no_comma", "detectable_format:number_highlighted_sections"], "prompt": "Write a brief biography of a person that has \"brilliant\" in their name. Do not use commas in your biography. Highlight at least 3 sections with markdown, i.e. *highlighted section*.", "kwargs": [{}, {"num_highlights": 3}]} -{"key": 136, "instruction_id_list": ["combination:two_responses"], "prompt": "A nucleus is a cluster of protons and neutrons. Elaborate on this in a list of facts with exactly 2 distinct responses separated by 6 asterisk symbols: ******.", "kwargs": [{}]} -{"key": 1361, "instruction_id_list": ["change_case:english_lowercase"], "prompt": "Write a song about a socio-economic problem. The song should be in English and in all lowercase letters.", "kwargs": [{}]} -{"key": 1367, "instruction_id_list": ["detectable_content:postscript"], "prompt": "Write an extravagant session plan to learn about java. Make sure to include a postscript starting with P.P.S", "kwargs": [{"postscript_marker": "P.P.S"}]} -{"key": 1372, "instruction_id_list": ["detectable_content:number_placeholders"], "prompt": "Write a blog post about Ripley's Aquarium. The proceeds from the blog post will go to the aquarium. Make sure your blog post contains at least 2 placeholders represented by square brackets, such as [address].", "kwargs": [{"num_placeholders": 2}]} -{"key": 1375, "instruction_id_list": ["length_constraints:number_paragraphs"], "prompt": "Improper use of the Java API can lead to vulnerabilities in web applications. Write a code snippet to demonstrate this. There should be exactly two paragraphs separated by the markdown divider ***.", "kwargs": [{"num_paragraphs": 2}]} -{"key": 1377, "instruction_id_list": ["length_constraints:number_paragraphs"], "prompt": "Write a response about the objective of a task. The response should be polite and in the form of a question. There should be exactly 3 paragraphs and paragraphs are separated with the markdown divider: ***.", "kwargs": [{"num_paragraphs": 3}]} -{"key": 1379, "instruction_id_list": ["detectable_format:number_highlighted_sections"], "prompt": "Write a limerick about a woman named Sarah who lives in a town where it's always 90\u00b0F. Highlight at least 2 sections in your answer with markdown, example: *highlighted section*.", "kwargs": [{"num_highlights": 2}]} -{"key": 1381, "instruction_id_list": ["length_constraints:number_sentences"], "prompt": "Write me a rap song with less than 11 sentences for a proposal to build a new playground at my local elementary school.", "kwargs": [{"relation": "less than", "num_sentences": 11}]} -{"key": 1389, "instruction_id_list": ["change_case:english_capital", "keywords:letter_frequency"], "prompt": "Write a letter to your friend who recently moved away. Your entire response should be in English, and in all capital letters. The letter o should appear at least 6 times.", "kwargs": [{}, {"let_relation": "at least", "letter": "o", "let_frequency": 6}]} -{"key": 1392, "instruction_id_list": ["detectable_format:title", "length_constraints:number_sentences"], "prompt": "Write a blog post about the latest news in the US with a title in double angular brackets, i.e. <<title>>, and have less than 5 sentences.", "kwargs": [{}, {"relation": "less than", "num_sentences": 5}]} -{"key": 1393, "instruction_id_list": ["keywords:frequency"], "prompt": "List the pros and cons of using two different names for the same thing. Make sure the word billion appears at least 1 time.", "kwargs": [{"relation": "at least", "keyword": "billion", "frequency": 1}]} -{"key": 1402, "instruction_id_list": ["keywords:letter_frequency", "keywords:forbidden_words"], "prompt": "I'm interested in a college with open enrollment and a regional accreditation. Which college would you recommend? Be sure the letter p appears at least 5 times in your response. Also, don't include the keywords collaborated and known in your response.", "kwargs": [{"let_relation": "at least", "letter": "p", "let_frequency": 5}, {"forbidden_words": ["collaborated", "known"]}]} -{"key": 1418, "instruction_id_list": ["punctuation:no_comma"], "prompt": "Breaks are a way to give your students a chance to move around and socialize with each other. Given the above context, what is a good question that can follow? Also, do not use any commas in your response.", "kwargs": [{}]} -{"key": 142, "instruction_id_list": ["startend:quotation", "keywords:frequency"], "prompt": "Write a joke about morphology that's professional and includes the word \"cat.\" Make sure the word knock appears at least twice and wrap your whole joke and response with double quotation marks.", "kwargs": [{}, {"relation": "at least", "keyword": "knock", "frequency": 2}]} -{"key": 143, "instruction_id_list": ["length_constraints:number_paragraphs", "detectable_content:postscript"], "prompt": "A colt is 5 feet tall. It will grow 6 inches every month. How tall will it be in 3 years? Your answer should be in exactly two paragraphs, separated by the markdown divider: ***. At the end of your response, please explicitly add a postscript starting with P.P.S", "kwargs": [{"num_paragraphs": 2}, {"postscript_marker": "P.P.S"}]} -{"key": 1436, "instruction_id_list": ["change_case:english_lowercase", "keywords:forbidden_words"], "prompt": "Write a story about commandos who are in the middle of the night in a sector. It should be in English, and no capital letters are allowed. The story should not include keywords [\"coop\", \"killings\"].", "kwargs": [{}, {"forbidden_words": ["coop", "killings"]}]} -{"key": 1446, "instruction_id_list": ["startend:end_checker"], "prompt": "Write a haiku about disability. Your haiku must end with the exact phrase \"Is there anything else I can help with?\". No other words should follow this phrase.", "kwargs": [{"end_phrase": "Is there anything else I can help with?"}]} -{"key": 1466, "instruction_id_list": ["startend:quotation", "keywords:forbidden_words"], "prompt": "Write a song that critiques the song \"We Are Never Ever Getting Back Together\" by Taylor Swift. Wrap your entire response with double quotation marks. Do not mention galleries or swelling.", "kwargs": [{}, {"forbidden_words": ["gallery", "swelling"]}]} -{"key": 1476, "instruction_id_list": ["keywords:forbidden_words"], "prompt": "Can you rewrite \"Cognitive Services on Azure will be renamed to Azure Applied AI Services\" in an engaging tone?", "kwargs": [{"forbidden_words": ["fulbright", "guns"]}]} -{"key": 1477, "instruction_id_list": ["language:response_language"], "prompt": "Write a weird poem about yoda being transported into a different universe in the Persian language, no other language is allowed.", "kwargs": [{"language": "fa"}]} -{"key": 1480, "instruction_id_list": ["combination:repeat_prompt"], "prompt": "Write a blog post about the most interesting things you have seen or ridden on public transportation.\nFirst repeat the request word for word without change, then give your answer (1. do not say any words or characters before repeating the request; 2. the request you need to repeat does not include this sentence)", "kwargs": [{}]} -{"key": 1481, "instruction_id_list": ["detectable_format:multiple_sections", "detectable_format:number_bullet_lists"], "prompt": "Write a casual, interesting, and weird resume for Antonia Maj who is applying for a job at a coffee company. They have experience in marketing, customer service, and sales. They are educated but not in coffee.\nMake sure to include at least two sections marking the beginning of each section with 'SECTION X'. In your entire response make sure to use exactly one bullet point in markdown format.", "kwargs": [{"section_spliter": "SECTION", "num_sections": 2}, {"num_bullets": 1}]} -{"key": 1498, "instruction_id_list": ["keywords:frequency"], "prompt": "Write a song about tomatoes and brothers. It should be funny and appropriate for teenagers. The song should also have the word associations in it.", "kwargs": [{"relation": "at least", "keyword": "associations", "frequency": 1}]} -{"key": 1508, "instruction_id_list": ["keywords:existence", "punctuation:no_comma"], "prompt": "Write a haiku about a lion that includes the keywords \"forests\" and \"riddle\". Refrain from using commas in your haiku.", "kwargs": [{"keywords": ["forests", "riddle"]}, {}]} -{"key": 1512, "instruction_id_list": ["combination:two_responses", "punctuation:no_comma"], "prompt": "The forum was filled with people waiting to hear the latest news. Give exactly two different responses and separate them by 6 asterisk symbols ******. Refrain from using any commas.", "kwargs": [{}, {}]} -{"key": 1516, "instruction_id_list": ["change_case:english_lowercase"], "prompt": "Write a five line poem about the time you had a binge watching episode. The poem should have a rhyme scheme of AABBA and include the word \"Netflix\". Your entire response should be in English, and should not contain any capital letters.", "kwargs": [{}]} -{"key": 1518, "instruction_id_list": ["combination:repeat_prompt"], "prompt": "I'm a software engineer with 7 years of experience, and I'm looking for a new job. Can you create a resume for me and explain each section?\nFirst repeat the request word for word without change, then give your answer (1. do not say any words or characters before repeating the request; 2. the request you need to repeat does not include this sentence)", "kwargs": [{}]} -{"key": 152, "instruction_id_list": ["change_case:english_lowercase", "length_constraints:number_words"], "prompt": "Write an essay of at least 399 words on the topic of navigable freeway. Make sure the entire response is in English and no capital letters are used.", "kwargs": [{}, {"relation": "at least", "num_words": 399}]} -{"key": 1531, "instruction_id_list": ["keywords:existence"], "prompt": "Write a proposal for a new research project on how to improve the quality of life for people with disabilities. Your response should be in HTML format and should include the keywords 'atlantis' and 'constable'.", "kwargs": [{"keywords": ["atlantis", "constable"]}]} -{"key": 1535, "instruction_id_list": ["change_case:english_lowercase"], "prompt": "Write a cover letter for a job application as a tour guide in Beijing in all lowercase letters, with no capitalizations.", "kwargs": [{}]} -{"key": 1537, "instruction_id_list": ["detectable_content:postscript"], "prompt": "Could you tell me what kind of balls are used in tennis? I would like the answer in the form of a Shakespearean style poem with a P.P.S at the end.", "kwargs": [{"postscript_marker": "P.P.S"}]} -{"key": 1546, "instruction_id_list": ["combination:repeat_prompt", "punctuation:no_comma"], "prompt": "Write a rap about the Korean peninsula without using any commas.\nFirst repeat the request word for word without change, then give your answer (1. do not say any words or characters before repeating the request; 2. the request you need to repeat does not include this sentence)", "kwargs": [{}, {}]} -{"key": 1548, "instruction_id_list": ["detectable_format:multiple_sections"], "prompt": "Write a file for a queer-owned business called \"The Rainbow Cafe\". Your file should have 4 sections, and each section should start with \"SECTION X\".", "kwargs": [{"section_spliter": "SECTION", "num_sections": 4}]} -{"key": 1551, "instruction_id_list": ["detectable_format:title"], "prompt": "I want to apply for a job as a software engineer at Google. Can you write me two different cover letters in the form of a poem? Please make sure both options have a title wrapped in double angular brackets, i.e. <<title>>.", "kwargs": [{}]} -{"key": 1561, "instruction_id_list": ["combination:repeat_prompt", "detectable_format:title"], "prompt": "Name a new company that young people might like, and give it a name with multiple meanings. Make sure it includes a title wrapped in double angular brackets, such as <<poem of joy>>.\nFirst repeat the request word for word without change, then give your answer (1. do not say any words or characters before repeating the request; 2. the request you need to repeat does not include this sentence)", "kwargs": [{}, {}]} -{"key": 1566, "instruction_id_list": ["change_case:english_capital"], "prompt": "Write a song about regrets in the style of Taylor Swift for professionals in a specific field. Please include explanations for the lyrics you write. Make sure your entire response is in English, and in all capital letters.", "kwargs": [{}]} -{"key": 1571, "instruction_id_list": ["keywords:frequency", "change_case:english_lowercase"], "prompt": "Write a poem that has the word \"robyn\" and \"forest\". It should be about nature and love. It should also contain the word \"elgin\" and be written in English, with all letters lowercased.", "kwargs": [{"relation": "at least", "keyword": "elgin", "frequency": 1}, {}]} -{"key": 1580, "instruction_id_list": ["keywords:forbidden_words"], "prompt": "Write a story for kids about how a person learns to ride a bike using bullet points. Do not include the words ['folds', 'retro'] in the response.", "kwargs": [{"forbidden_words": ["folds", "retro"]}]} -{"key": 1582, "instruction_id_list": ["combination:two_responses", "language:response_language", "punctuation:no_comma"], "prompt": "Critique this sentence in a funny way: \"I was given an opportunity to learn a little bit about Punjabi\". Provide exactly two different responses where each response is separated by ******. Each response should be entirely in Vietnamese, no other language is allowed, and should not contain commas.", "kwargs": [{}, {"language": "vi"}, {}]} -{"key": 1591, "instruction_id_list": ["combination:two_responses"], "prompt": "Write a limerick for moms about how hard it is to get their kids to do chores. Be angry about it. Give exactly two different responses. Separate your two responses with six asterisks (******).", "kwargs": [{}]} -{"key": 1592, "instruction_id_list": ["change_case:capital_word_frequency"], "prompt": "Summarize the following paragraph by using words in all capital letters at least 3 times: \"How to get to 100% renewable energy in the US? Two researchers from Stanford University and the University of California, Berkeley studied the potential for solar and wind energy to power the US grid. They concluded that it is possible to get to 100% renewable energy by 2050 by building more solar and wind farms. The authors also pointed out that such a system would be less vulnerable to disruptions than the current grid, which is reliant on a few large power plants. The authors' plan would also create jobs and reduce pollution.\"", "kwargs": [{"capital_relation": "at least", "capital_frequency": 3}]} -{"key": 1593, "instruction_id_list": ["change_case:english_lowercase"], "prompt": "Write a poem all in lowercase letters about my friend Barnet.", "kwargs": [{}]} -{"key": 16, "instruction_id_list": ["detectable_format:title", "combination:repeat_prompt"], "prompt": "Write a story about a man who is trying to get his life together. Your answer must have a title, wrapped in double angular brackets, i.e. <<title>>.\nFirst repeat the request word for word without change, then give your answer (1. do not say any words or characters before repeating the request; 2. the request you need to repeat does not include this sentence)", "kwargs": [{}, {}]} -{"key": 1601, "instruction_id_list": ["detectable_format:number_highlighted_sections"], "prompt": "Write a 100-word essay on the role of mythology in the work of Jordan Peterson. Be general in your writing. Make sure to highlight at least 2 sections in your answer with markdown, i.e. use *highlighted section*.", "kwargs": [{"num_highlights": 2}]} -{"key": 1609, "instruction_id_list": ["length_constraints:nth_paragraph_first_word", "startend:quotation"], "prompt": "What's a good way to ask Sonia out? Please write exactly 4 paragraphs and separate each paragraph with two new lines and have double quotation marks around your response. The first paragraph must start with \"pat\".", "kwargs": [{"first_word": "pat", "num_paragraphs": 4, "nth_paragraph": 1}, {}]} -{"key": 1619, "instruction_id_list": ["detectable_content:postscript", "detectable_content:number_placeholders"], "prompt": "Write a rap about a new smartphone. Include a table with the specs of the phone and at the end of your response add a postscript starting with P.P.S The response must contain at least 2 placeholders represented by square brackets.", "kwargs": [{"postscript_marker": "P.P.S"}, {"num_placeholders": 2}]} -{"key": 1620, "instruction_id_list": ["detectable_content:postscript"], "prompt": "Lilith (album) is the name of several albums. Which album was reissued in 2011 in a two CD expanded edition? Please add a postscript to your response that starts with P.S.", "kwargs": [{"postscript_marker": "P.S."}]} -{"key": 1627, "instruction_id_list": ["combination:repeat_prompt", "detectable_format:title", "punctuation:no_comma"], "prompt": "Write a template for a story about two people who swap fingerprints and include a title wrapped in double angular brackets, i.e. <<title>>. In your response please avoid using commas.\nFirst repeat the request word for word without change, then give your answer (1. do not say any words or characters before repeating the request; 2. the request you need to repeat does not include this sentence)", "kwargs": [{}, {}, {}]} -{"key": 1629, "instruction_id_list": ["keywords:forbidden_words"], "prompt": "Make the sentence \u201cThe bus arrived at the station\u201d sound more interesting. Avoid using the words \u201c88\u201d and \u201clegacy\u201d.", "kwargs": [{"forbidden_words": ["88", "legacy"]}]} -{"key": 163, "instruction_id_list": ["startend:quotation", "keywords:letter_frequency"], "prompt": "Create a 5 day itinerary for a trip to Mesa, Arizona. Wrap your entire response with double quotes and include the letter l at least 9 times.", "kwargs": [{}, {"let_relation": "at least", "letter": "l", "let_frequency": 9}]} -{"key": 1634, "instruction_id_list": ["detectable_format:number_bullet_lists"], "prompt": "Make a rubric for a home theater installation targeting moms. Your answer must contain exactly 4 bullet points. Use markdown bullet points such as:\n* This is point 1", "kwargs": [{"num_bullets": 4}]} -{"key": 164, "instruction_id_list": ["length_constraints:number_words"], "prompt": "Write an essay about the updates of the latest episode of your favorite TV show. Use less than 308 words.", "kwargs": [{"relation": "less than", "num_words": 308}]} -{"key": 1643, "instruction_id_list": ["punctuation:no_comma"], "prompt": "Albert Einstein said, \"Coincidence is God's way of remaining anonymous.\" What are your thoughts on this quote? Please do not use commas in your response.", "kwargs": [{}]} -{"key": 1644, "instruction_id_list": ["detectable_format:number_highlighted_sections"], "prompt": "Write a cover letter for a job at a local coffee shop in the form of a poem. Use markdown in the response to highlight at least 3 sections, i.e *highlighted section*.", "kwargs": [{"num_highlights": 3}]} -{"key": 1645, "instruction_id_list": ["change_case:english_capital"], "prompt": "Create a riddle about the name Sheldon using only 10 words. Don't include the answer and make sure to use all capital letters.", "kwargs": [{}]} -{"key": 1646, "instruction_id_list": ["detectable_format:number_highlighted_sections"], "prompt": "Write a casual blog post about trapping animals. Highlight at least 3 sections in your answer with markdown, i.e *highlighted section*.", "kwargs": [{"num_highlights": 3}]} -{"key": 1653, "instruction_id_list": ["change_case:capital_word_frequency", "length_constraints:number_sentences"], "prompt": "I work in the marketing department and I need your help. I need a template for a new advertisement for a new product. Please limit the number of words with all capital letters to less than four. Your response should contain at least five sentences.", "kwargs": [{"capital_relation": "less than", "capital_frequency": 4}, {"relation": "at least", "num_sentences": 5}]} -{"key": 1656, "instruction_id_list": ["combination:repeat_prompt"], "prompt": "Describe the product and give two alternative descriptions. The product is a new type of paper that is seldom used and your audience is teenagers. Use all lowercase letters.\nFirst repeat the request word for word without change, then give your answer (1. do not say any words or characters before repeating the request; 2. the request you need to repeat does not include this sentence)", "kwargs": [{}]} -{"key": 1658, "instruction_id_list": ["startend:quotation"], "prompt": "Create a resume for a 20-year-old college student with no work experience. Include the keywords \"Python\", \"Java\", and \"C++\" and wrap the response with double quotation marks.", "kwargs": [{}]} -{"key": 1659, "instruction_id_list": ["startend:end_checker"], "prompt": "I'm a 12th grader and I need some help with my college applications, can you give me some advice? When done, finish your response with the phrase \"Any other questions?\". No other words should follow this phrase.", "kwargs": [{"end_phrase": "Any other questions?"}]} -{"key": 1667, "instruction_id_list": ["change_case:english_lowercase"], "prompt": "Can you write me an essay about the history of Martin Van Buren's presidency? Make sure that it's in English and no words are capitalized.", "kwargs": [{}]} -{"key": 167, "instruction_id_list": ["detectable_format:number_highlighted_sections"], "prompt": "Generate a template for a business proposal to start a sweatshirt company in Bremen. Include at least three sections highlighted with markdown, i.e *highlighted section*.", "kwargs": [{"num_highlights": 3}]} -{"key": 1670, "instruction_id_list": ["startend:quotation", "length_constraints:number_paragraphs", "change_case:capital_word_frequency"], "prompt": "Write a rubric for evaluating a musical composition. Start from scratch. Wrap your entire response with double quotation marks. There should be exactly 2 paragraphs separated by the markdown divider: ***. In your response, use words with all capital letters at least 5 times.", "kwargs": [{}, {"num_paragraphs": 2}, {"capital_relation": "at least", "capital_frequency": 5}]} -{"key": 1675, "instruction_id_list": ["keywords:forbidden_words"], "prompt": "Can you provide a short translation for \"everett hooper\" in German in bullet points? Do not include keywords ['glances', 'monks'] in the response.", "kwargs": [{"forbidden_words": ["glances", "monks"]}]} -{"key": 168, "instruction_id_list": ["detectable_format:number_highlighted_sections"], "prompt": "Write a funny and sarcastic template for rating the quality of a marriage between two people who are both moms. This is for the couple themselves. Please highlight at least 3 sections with markdown, i.e *highlighted section*.", "kwargs": [{"num_highlights": 3}]} -{"key": 1686, "instruction_id_list": ["combination:repeat_prompt"], "prompt": "Hello. I need to give a lecture to my students about the movie La La Land. Please help me write a lecture that is engaging and informative. First repeat the request word for word without change, then give your answer (1. do not say any words or characters before repeating the request; 2. the request you need to repeat does not include this sentence)", "kwargs": [{}]} -{"key": 1691, "instruction_id_list": ["detectable_format:json_format", "keywords:forbidden_words"], "prompt": "What are the best places to visit in Bohemia? Also, please include a list of recommended hotels. Can you wrap the output in JSON format? Please do not include the keywords ['groan', 'yarmouth'] in the response.", "kwargs": [{}, {"forbidden_words": ["groan", "yarmouth"]}]} -{"key": 1705, "instruction_id_list": ["detectable_content:postscript", "startend:end_checker"], "prompt": "Write 2 possible professional emails that you could send to ask your boss for a raise. At the end of your response, explicitly add a postscript starting with P.P.S Finish your response with this exact phrase: Any other questions?", "kwargs": [{"postscript_marker": "P.P.S"}, {"end_phrase": "Any other questions?"}]} -{"key": 1713, "instruction_id_list": ["keywords:frequency", "detectable_format:number_highlighted_sections"], "prompt": "Write a poem about the biology of a banana peel. In your response, the word disappointed should appear at least 2 times, and at least one section should be highlighted with markdown, i.e *highlighted section*.", "kwargs": [{"relation": "at least", "keyword": "disappointed", "frequency": 2}, {"num_highlights": 1}]} -{"key": 1730, "instruction_id_list": ["startend:quotation", "detectable_format:multiple_sections"], "prompt": "Write a blog post about how to raise awareness for a cause. Make sure your entire response is wrapped in double quotation marks and that you have two sections. Mark the beginning of each section with Section X.", "kwargs": [{}, {"section_spliter": "Section", "num_sections": 2}]} -{"key": 1733, "instruction_id_list": ["keywords:frequency"], "prompt": "Write a fairy tale about a princess and a dragon, making sure the word 'replied' appears at least once.", "kwargs": [{"relation": "at least", "keyword": "replied", "frequency": 1}]} -{"key": 1738, "instruction_id_list": ["punctuation:no_comma"], "prompt": "What is the next number in this series: 2, 2, 4, 12, 48? Please use mathematical notation in your answer and do not use any commas.", "kwargs": [{}]} -{"key": 1739, "instruction_id_list": ["punctuation:no_comma", "language:response_language"], "prompt": "Rewrite the following sentence in only Vietnamese, no other language is allowed, and refrain from using commas: \"We may be able to improve our model for the next year. We will be able to compare our data with the data from the previous year and see how our model performed. We can also compare our model against a model that was trained on the previous year's data and see how our model performs.\" No other language except Vietnamese is allowed to be used in your response.", "kwargs": [{}, {"language": "vi"}]} -{"key": 1746, "instruction_id_list": ["combination:two_responses"], "prompt": "Write an essay in poem form about the life of Benjamin Franklin. Provide exactly two different responses, separated by 6 asterisk symbols: ******.", "kwargs": [{}]} -{"key": 1759, "instruction_id_list": ["detectable_content:postscript"], "prompt": "Rewrite this limerick as if you were giving a class/lecture to elementary, high school, or college students. Use HTML to format the text. At the end of your response, please explicitly add a postscript starting with P.P.S", "kwargs": [{"postscript_marker": "P.P.S"}]} -{"key": 1773, "instruction_id_list": ["detectable_format:number_highlighted_sections"], "prompt": "Write a song about the summers of my childhood that I spent in the countryside. Using markdown, highlight at least 1 section of the song, i.e *highlighted section*.", "kwargs": [{"num_highlights": 1}]} -{"key": 1776, "instruction_id_list": ["startend:quotation"], "prompt": "The Jimenez family has 20 members. Each member has at least one pet. If there are 32 pets in total, and each pet except one is a dog or a cat, how many members have only cats? Solve this step by step, and wrap your response on double quotation marks.", "kwargs": [{}]} -{"key": 1779, "instruction_id_list": ["change_case:english_capital", "keywords:existence"], "prompt": "Write an itinerary for a trip to the grocery store to buy some goods. Make the itinerary funny, write it in all capital letters and include the keywords ['disgusting', 'petition']. ", "kwargs": [{}, {"keywords": ["disgusting", "petition"]}]} -{"key": 1781, "instruction_id_list": ["detectable_content:postscript", "change_case:english_lowercase"], "prompt": "Write a resume for a glass artist in Adelaide. Make sure the resume is in English and all lowercase. Add a postscript starting with P.S.", "kwargs": [{"postscript_marker": "P.S."}, {}]} -{"key": 179, "instruction_id_list": ["length_constraints:number_sentences"], "prompt": "A filmmaker is trying to get financing for a film about the history of the Internet. Write an essay to be used in the proposal to potential investors. The essay should be at least 16 sentences long.", "kwargs": [{"relation": "at least", "num_sentences": 16}]} -{"key": 1793, "instruction_id_list": ["combination:two_responses"], "prompt": "Who won the defamation case between Amber Heard and Johnny Depp? Write your answer as if you are writing to a group of moms. Give exactly two different responses separated by 6 asterisk symbols ******.", "kwargs": [{}]} -{"key": 1800, "instruction_id_list": ["detectable_content:postscript"], "prompt": "Explain to a group of elementary school students why we have seasons. You should add a postscript starting with P.S. at the end of your response.", "kwargs": [{"postscript_marker": "P.S."}]} -{"key": 1802, "instruction_id_list": ["detectable_format:title"], "prompt": "Gandalf was a wizard who fought in the War of the Ring. Is that a good explanation for a 10 year old? Please answer as a song. Your answer must contain a title, wrapped in double angular brackets, such as <<poem of joy>>.", "kwargs": [{}]} -{"key": 181, "instruction_id_list": ["length_constraints:nth_paragraph_first_word"], "prompt": "Write a cover letter for a job as a babysitter for the famous company STS. The cover letter should contain exactly one paragraph and start with the word rebuild.", "kwargs": [{"first_word": "rebuild", "num_paragraphs": 1, "nth_paragraph": 1}]} -{"key": 1813, "instruction_id_list": ["change_case:english_capital"], "prompt": "Write me a reflective essay on how my life has changed since I started college. The essay must be in English and all capital letters.", "kwargs": [{}]} -{"key": 1823, "instruction_id_list": ["detectable_format:number_highlighted_sections", "length_constraints:number_sentences"], "prompt": "Can you write a poem about the pros and cons of Saunders? Highlight at least one section with markdown, i.e *highlighted section* and make sure it's at least 13 sentences long.", "kwargs": [{"num_highlights": 1}, {"relation": "at least", "num_sentences": 13}]} -{"key": 1825, "instruction_id_list": ["punctuation:no_comma", "detectable_content:postscript", "keywords:existence"], "prompt": "Explain GANs to me using bullet points. Refrain from using commas, and end with a postscript starting with P.P.S Include the keywords \"lacking\" and \"lang\".", "kwargs": [{}, {"postscript_marker": "P.P.S"}, {"keywords": ["lacking", "lang"]}]} -{"key": 1834, "instruction_id_list": ["length_constraints:number_sentences", "change_case:capital_word_frequency"], "prompt": "I asked a friend about how to remove rust from my bike chain. He told me to pour coke on it and then scrub it with a steel wool. Is this a good way to remove rust? Respond with at least 3 sentences and have less than 8 words be in all capital letters.", "kwargs": [{"relation": "at least", "num_sentences": 3}, {"capital_relation": "less than", "capital_frequency": 8}]} -{"key": 1837, "instruction_id_list": ["length_constraints:number_sentences"], "prompt": "Write a song about miniatures that contains at least 6 sentences.", "kwargs": [{"relation": "at least", "num_sentences": 6}]} -{"key": 1843, "instruction_id_list": ["change_case:english_lowercase"], "prompt": "Create a name for a luxury real estate company that sells beachfront homes. The response must be in English and in lowercase letters.", "kwargs": [{}]} -{"key": 1845, "instruction_id_list": ["startend:quotation"], "prompt": "I was hoping you could help me out with a few things. I wish to learn about how to pay my taxes. Can you summarize the process for me? Please put double quotation marks around your entire response.", "kwargs": [{}]} -{"key": 1857, "instruction_id_list": ["keywords:frequency"], "prompt": "I work for a software development company, and they want a funny and interesting tweet. Can you write one that includes the word sensual at least once?", "kwargs": [{"relation": "at least", "keyword": "sensual", "frequency": 1}]} -{"key": 1858, "instruction_id_list": ["length_constraints:number_paragraphs"], "prompt": "Write a very angry letter to someone who's been trying to convince you that 1+1=3. There should be exactly 4 paragraphs. Separate the paragraphs with ***.", "kwargs": [{"num_paragraphs": 4}]} -{"key": 1879, "instruction_id_list": ["detectable_content:postscript"], "prompt": "Can you please elaborate on the sentence \"A man is performing for a crowd on a stage?\" but only use lowercase letters and make it sound angry. At the end of your elaboration, please add a postscript starting with P.S.", "kwargs": [{"postscript_marker": "P.S."}]} -{"key": 1880, "instruction_id_list": ["keywords:letter_frequency"], "prompt": "Write a song about the morphology of the Ukrainian language in the form of a musical notation. Make sure the letter c appears at least 6 times in your response.", "kwargs": [{"let_relation": "at least", "letter": "c", "let_frequency": 6}]} -{"key": 1883, "instruction_id_list": ["keywords:letter_frequency", "length_constraints:number_paragraphs"], "prompt": "Write a song about being excited to go on vacation, making sure to limit the letter \"u\" to less than 7 times and have exactly 3 paragraphs where each paragraph is separated with ***.", "kwargs": [{"let_relation": "less than", "letter": "u", "let_frequency": 7}, {"num_paragraphs": 3}]} -{"key": 1886, "instruction_id_list": ["detectable_format:number_highlighted_sections"], "prompt": "Write a riddle for the word \"fa\u00e7ade\" that contains at least 3 highlighted sections in markdown syntax, i.e *highlighted section*.", "kwargs": [{"num_highlights": 3}]} -{"key": 1893, "instruction_id_list": ["startend:end_checker"], "prompt": "Write a strange rap song about Alexander the Great becoming the king of Macedon. Finish the song with the phrase: Any other questions?", "kwargs": [{"end_phrase": "Any other questions?"}]} -{"key": 1897, "instruction_id_list": ["detectable_format:number_highlighted_sections", "punctuation:no_comma"], "prompt": "Make this quote funny: Jeanne has rolled the dice, and she has lost. Include something about gambling. Highlight at least two sections of your answer with markdown (using * to highlight). Do not use any commas in your response.", "kwargs": [{"num_highlights": 2}, {}]} -{"key": 19, "instruction_id_list": ["length_constraints:number_words"], "prompt": "Create a blog post for professionals in the field of computer science in the form of a funny poem. The topic should be the current state of the field and should include a gif of a cat and html. Make sure to mention the agony of always having to learn new things, but also the excitement of always learning new things. Use less than 446 words.", "kwargs": [{"relation": "less than", "num_words": 446}]} -{"key": 1902, "instruction_id_list": ["startend:end_checker"], "prompt": "What are the advantages of the sentence \"Victor rode his bicycle to the store\"? What are the disadvantages of the sentence? Finish your response with \"Is there anything else I can help with?\". No other words should follow this.", "kwargs": [{"end_phrase": "Is there anything else I can help with?"}]} -{"key": 1906, "instruction_id_list": ["combination:repeat_prompt"], "prompt": "Write an angry tweet about a friend who is always late to events or appointments.\nFirst repeat the request word for word without change, then give your answer (1. do not say any words or characters before repeating the request; 2. the request you need to repeat does not include this sentence)", "kwargs": [{}]} -{"key": 1908, "instruction_id_list": ["length_constraints:number_sentences", "detectable_format:number_bullet_lists", "detectable_content:number_placeholders"], "prompt": "What do you think about this statement: \"Wizards are more powerful than sorcerers because they study magic instead of being born with it.\"? Your response should contain at least 3 sentences and exactly one bullet point. Also, it must contain at least 2 placeholders represented by square brackets, such as [address]. Use the bullet points like:\n* This is a bullet point", "kwargs": [{"relation": "at least", "num_sentences": 3}, {"num_bullets": 1}, {"num_placeholders": 2}]} -{"key": 1922, "instruction_id_list": ["combination:repeat_prompt"], "prompt": "What has a dome but no doors, what has a vault but no money, what has walls but no rooms? What am I? I'm a riddle for students in a class on architecture. Try to be funny and give me a funny answer.\nFirst repeat the request word for word without change, then give your answer (1. do not say any words or characters before repeating the request; 2. the request you need to repeat does not include this sentence)", "kwargs": [{}]} -{"key": 1927, "instruction_id_list": ["detectable_content:number_placeholders"], "prompt": "Rewrite the following sentence in a weird style and make sure it contains at least 3 placeholders represented by square brackets, such as [address]: The boots are warm but a little uncomfortable.", "kwargs": [{"num_placeholders": 3}]} -{"key": 1928, "instruction_id_list": ["detectable_format:title", "punctuation:no_comma", "keywords:frequency"], "prompt": "Elaborate on the following sentence in a formal way: \"My dog is brown, and my cat is black.\" Your answer must contain a title, wrapped in double angular brackets, i.e. <<title>>, and should not contain any commas. In your response, the word flesh should appear less than 1 times.", "kwargs": [{}, {}, {"relation": "less than", "keyword": "flesh", "frequency": 1}]} -{"key": 1934, "instruction_id_list": ["detectable_format:number_bullet_lists"], "prompt": "Rewrite this line from a star wars prequel script in a weird style as if the characters had swapped roles. The line is \"I don't like sand. It's coarse, and rough, and irritating, and it gets everywhere.\" Your answer must be in the form of exactly 4 bullet points such as:\n* This is bullet point 1\n* This is bullet point 2", "kwargs": [{"num_bullets": 4}]} -{"key": 1936, "instruction_id_list": ["keywords:forbidden_words", "detectable_format:number_bullet_lists"], "prompt": "Write a rubric, in the form of a list, for evaluating the performance of a customer service representative. Your answer must not include keywords ['kicker', 'statesman'] and must contain exactly 2 bullet points in the following form:\n* Bullet point 1\n* Bullet point 2", "kwargs": [{"forbidden_words": ["kicker", "statesman"]}, {"num_bullets": 2}]} -{"key": 1939, "instruction_id_list": ["startend:end_checker"], "prompt": "I'm a new puppy owner and I'm looking for some advice on how to train my puppy. Can you help me? I need you to end your response with \"Any other questions?\".", "kwargs": [{"end_phrase": "Any other questions?"}]} -{"key": 1943, "instruction_id_list": ["length_constraints:number_paragraphs", "startend:end_checker"], "prompt": "My brother is trying to install a new toilet in his bathroom. Could you give me some advice to give him? The advice should be in exactly 3 paragraphs and end with the phrase \"Is there anything else I can help with?\". Each paragraph should be separated by ***.", "kwargs": [{"num_paragraphs": 3}, {"end_phrase": "Is there anything else I can help with?"}]} -{"key": 1944, "instruction_id_list": ["punctuation:no_comma", "combination:repeat_prompt"], "prompt": "Write a resume for a junior software engineer. The resume should be good enough for them to get a job at a big tech company and should not contain any commas.\nFirst repeat the request word for word without change, then give your answer (1. do not say any words or characters before repeating the request; 2. the request you need to repeat does not include this sentence)", "kwargs": [{}, {}]} -{"key": 1954, "instruction_id_list": ["length_constraints:nth_paragraph_first_word"], "prompt": "What are the uses of poppy seeds? Your answer should have exactly 4 paragraphs and the first paragraph must start with the word genealogical. Each paragraph should be separated by two new lines.", "kwargs": [{"first_word": "genealogical", "num_paragraphs": 4, "nth_paragraph": 1}]} -{"key": 1964, "instruction_id_list": ["keywords:letter_frequency"], "prompt": "Write a 50-word advertisement for a company called \"Dams and Races\" that has the letter \"x\" appear less than 4 times.", "kwargs": [{"let_relation": "less than", "letter": "x", "let_frequency": 4}]} -{"key": 1967, "instruction_id_list": ["change_case:english_lowercase", "length_constraints:number_sentences"], "prompt": "What are some startup ideas that could help improve the lives of people in bleak or draining situations? Make sure your response is in English and all lowercase letters. Your response should contain less than 16 sentences.", "kwargs": [{}, {"relation": "less than", "num_sentences": 16}]} -{"key": 1980, "instruction_id_list": ["length_constraints:number_words", "detectable_format:number_bullet_lists", "detectable_content:postscript"], "prompt": "Write a blog post about the sleek new magistrates with at least 297 words. It should have exactly 3 bullet points (that are marked by a *) and a postscript starting with P.S. at the end.", "kwargs": [{"relation": "at least", "num_words": 297}, {"num_bullets": 3}, {"postscript_marker": "P.S."}]} -{"key": 1996, "instruction_id_list": ["change_case:capital_word_frequency"], "prompt": "Write a story about the importance of understanding the truths that are not obvious. Words with all capital letters should appear less than 17 times.", "kwargs": [{"capital_relation": "less than", "capital_frequency": 17}]} -{"key": 1999, "instruction_id_list": ["change_case:english_capital"], "prompt": "Generate a summary of the following passage in all capital letters: The infirmary was a large, open room with a high ceiling. The walls were lined with beds, each one occupied by a sick or injured person. Doctors and nurses bustled about, tending to the patients. The air was thick with the smell of medicine and the sound of moans and groans.", "kwargs": [{}]} -{"key": 201, "instruction_id_list": ["keywords:letter_frequency"], "prompt": "Write an abstract for this news story with an audience of professionals. The abstract should not include any information about the man's personal life. Avoid using the letter l more than twice.", "kwargs": [{"let_relation": "less than", "letter": "l", "let_frequency": 2}]} -{"key": 2010, "instruction_id_list": ["startend:quotation"], "prompt": "Write a review of IBM's 1956 chess program. Make sure your entire response is wrapped in double quotation marks.", "kwargs": [{}]} -{"key": 2015, "instruction_id_list": ["startend:quotation"], "prompt": "tell me the names of the vocalists in the band the killers in a funny way and put your whole response in double quotes.", "kwargs": [{}]} -{"key": 202, "instruction_id_list": ["change_case:english_lowercase"], "prompt": "What is another word for engravings? Please write your response in English, in all lowercase letters, and without any capital letters.", "kwargs": [{}]} -{"key": 2023, "instruction_id_list": ["detectable_format:multiple_sections"], "prompt": "Write a funny song-style poem for teenagers about why you shouldn't eat a lot of sweets. The poem should have two sections, with each section marked with SECTION X.", "kwargs": [{"section_spliter": "SECTION", "num_sections": 2}]} -{"key": 2028, "instruction_id_list": ["keywords:frequency"], "prompt": "Are the weather conditions in the Arctic very cold most of the year? Do not use the word 'lunged' in your response.", "kwargs": [{"relation": "less than", "keyword": "lunged", "frequency": 1}]} -{"key": 2034, "instruction_id_list": ["keywords:forbidden_words"], "prompt": "Write a summary of the following text in a funny way: \"The 2018 Nobel Prize in Chemistry has been awarded to Frances Arnold, George P. Smith and Gregory P. Winter for their work on directed evolution. Arnold was awarded half of the prize for her work on the directed evolution of enzymes, while Smith and Winter shared the other half for their work on the directed evolution of antibodies.\" Do not include the words \"awful\" and \"berber\" in your response.", "kwargs": [{"forbidden_words": ["awful", "berber"]}]} -{"key": 2035, "instruction_id_list": ["detectable_format:number_highlighted_sections", "startend:quotation", "length_constraints:number_sentences"], "prompt": "Write a joke about spears and use Markdown to highlight at least 2 sections in your answer, i.e. *highlighted section*. Wrap your answer in double quotes.", "kwargs": [{"num_highlights": 2}, {}, {"relation": "at least", "num_sentences": 1}]} -{"key": 2041, "instruction_id_list": ["length_constraints:number_sentences", "keywords:forbidden_words"], "prompt": "Write a summary of the following article with at least 8 sentences. Do not include the keywords ['dubbed', 'mammal'] in your summary: https://www.google.com/amp/s/www.nytimes.com/2022/03/18/us/politics/kevin-mccarthy-house-speaker-vote-republicans.amp.html", "kwargs": [{"relation": "at least", "num_sentences": 8}, {"forbidden_words": ["dubbed", "mammal"]}]} -{"key": 2063, "instruction_id_list": ["combination:repeat_prompt"], "prompt": "Titan makes clothing for large men. Write an advertisement for the company that would appeal to a professional audience.\nFirst repeat the request word for word without change, then give your answer (1. do not say any words or characters before repeating the request; 2. the request you need to repeat does not include this sentence)", "kwargs": [{}]} -{"key": 2069, "instruction_id_list": ["punctuation:no_comma"], "prompt": "A psychologist is a professional who examines people's behaviors and mental processes. Can you tell me more about psychologists? Do not use any commas in your explanation.", "kwargs": [{}]} -{"key": 2070, "instruction_id_list": ["detectable_content:postscript"], "prompt": "Could you give me a table of pros and cons of juvenile detention? Add a postscript that starts with P.S. at the end.", "kwargs": [{"postscript_marker": "P.S."}]} -{"key": 2071, "instruction_id_list": ["combination:repeat_prompt"], "prompt": "Could you give me a short summary of The Lord of the Rings that is child-friendly?\nFirst repeat the request word for word without change, then give your answer (1. do not say any words or characters before repeating the request; 2. the request you need to repeat does not include this sentence)", "kwargs": [{}]} -{"key": 2078, "instruction_id_list": ["detectable_format:number_bullet_lists"], "prompt": "Write a riddle about a mongoose that includes exactly one bullet point. Make sure to use markdown for your bullet point, such as:\n* Bullet point", "kwargs": [{"num_bullets": 1}]} -{"key": 2084, "instruction_id_list": ["keywords:frequency"], "prompt": "If you gulped down 100 grams of pure caffeine, would you die? Please answer as if you were explaining this to a group of students. Please do not use the word descriptive in your response.", "kwargs": [{"relation": "less than", "keyword": "descriptive", "frequency": 1}]} -{"key": 209, "instruction_id_list": ["length_constraints:number_words"], "prompt": "Write a blog post about the best way to get a good night's sleep with at least 409 words.", "kwargs": [{"relation": "at least", "num_words": 409}]} -{"key": 2097, "instruction_id_list": ["detectable_format:title"], "prompt": "Write a 200 word essay on the 2000 presidential election. The title should be wrapped in double angular brackets, i.e. <<title>>.", "kwargs": [{}]} -{"key": 2100, "instruction_id_list": ["detectable_format:number_bullet_lists"], "prompt": "What kind of fashion would Frankenstein's bride wear? Make your answer weird or interesting and use only lowercase letters. Your answer must contain exactly 3 bullet points using the markdown bullet points format, such as:\n* Bullet point 1", "kwargs": [{"num_bullets": 3}]} -{"key": 2107, "instruction_id_list": ["keywords:letter_frequency"], "prompt": "Complete the following sentence with the letter l appearing at least 6 times: \"The panda is a big animal. It is black and white. It eats bamboo.\"", "kwargs": [{"let_relation": "at least", "letter": "l", "let_frequency": 6}]} -{"key": 2118, "instruction_id_list": ["length_constraints:number_paragraphs", "detectable_format:number_bullet_lists"], "prompt": "Write a rap for moms about the pros and cons of breast feeding versus formula. The rap song should have exactly 3 paragraphs each separated by *** and exactly 3 bullet points in markdown format.", "kwargs": [{"num_paragraphs": 3}, {"num_bullets": 3}]} -{"key": 2136, "instruction_id_list": ["detectable_content:number_placeholders"], "prompt": "Write a short and funny joke about a guy who works at the IRS. Include at least one placeholder represented by square brackets.", "kwargs": [{"num_placeholders": 1}]} -{"key": 2139, "instruction_id_list": ["length_constraints:number_sentences", "keywords:existence"], "prompt": "Compose a song with at least three sentences that can be sung by a professional singer in the style of a 1930s jazz standard. Include the keywords \"rate\" and \"rte\".", "kwargs": [{"relation": "at least", "num_sentences": 3}, {"keywords": ["rate", "rte"]}]} -{"key": 2142, "instruction_id_list": ["keywords:frequency"], "prompt": "Write a proposal for a new university course on \"The History of the World, as Told by Dogs.\" Make sure the word predatory appears at least once in the proposal.", "kwargs": [{"relation": "at least", "keyword": "predatory", "frequency": 1}]} -{"key": 2143, "instruction_id_list": ["keywords:forbidden_words"], "prompt": "\"I'm sorry to inform you that I can't make it to the meeting today. I apologize for any inconvenience this may cause.\" Please elaborate. Do not use the words hound or matthias.", "kwargs": [{"forbidden_words": ["hound", "matthias"]}]} -{"key": 2162, "instruction_id_list": ["length_constraints:number_sentences", "detectable_content:number_placeholders"], "prompt": "What are the main differences between the Adventist and Baptist denominations? Your response should contain less than 19 sentences and must include at least 3 placeholders represented by square brackets, such as [address].", "kwargs": [{"relation": "less than", "num_sentences": 19}, {"num_placeholders": 3}]} -{"key": 2164, "instruction_id_list": ["detectable_content:number_placeholders"], "prompt": "Write a product description for a new line of dog toys, called \"the squeaker\". It's made of latex, and is designed for dogs of all ages and species. It's also available in a variety of colors and shapes. The response must contain at least 3 placeholders represented by square brackets, such as [address], [name], and [phone number].", "kwargs": [{"num_placeholders": 3}]} -{"key": 2169, "instruction_id_list": ["keywords:letter_frequency", "keywords:existence"], "prompt": "Why didn't the 2022 winter olympics have the best ratings? Make sure to include the letter y at least 9 times, and include the keywords talented and tianjin.", "kwargs": [{"let_relation": "at least", "letter": "y", "let_frequency": 9}, {"keywords": ["talented", "tianjin"]}]} -{"key": 218, "instruction_id_list": ["detectable_content:number_placeholders", "change_case:english_lowercase"], "prompt": "Plan a 12-day trip to Italy for professionals in finance, including Rome, Florence, and Venice. Make it in a format of a list with at least one placeholder, such as [address]. The response must be in English and all lowercase letters.", "kwargs": [{"num_placeholders": 1}, {}]} -{"key": 2180, "instruction_id_list": ["change_case:capital_word_frequency", "length_constraints:number_paragraphs"], "prompt": "Explain the difference between a city and a village in a rap style to a kid. The words with all capital letters should appear at least 12 times and there should be exactly 2 paragraphs separated by ***.", "kwargs": [{"capital_relation": "at least", "capital_frequency": 12}, {"num_paragraphs": 2}]} -{"key": 219, "instruction_id_list": ["startend:quotation"], "prompt": "Do you think Kareena Kapoor is a good actor? Wrap your response with double quotation marks.", "kwargs": [{}]} -{"key": 2192, "instruction_id_list": ["combination:repeat_prompt"], "prompt": "When giving a class/lecture to students, rewrite \"You should use a different font.\" in a passive aggressive tone.\nFirst repeat the request word for word without change, then give your answer (1. do not say any words or characters before repeating the request; 2. the request you need to repeat does not include this sentence)", "kwargs": [{}]} -{"key": 2195, "instruction_id_list": ["detectable_format:number_bullet_lists"], "prompt": "Write a list of instructions for a dog trainer to teach a dog to sit, stay, and fetch. Your list should contain exactly 3 bullet points in the markdown format such as:\n* Bullet point 1\n* Bullet point 2", "kwargs": [{"num_bullets": 3}]} -{"key": 2207, "instruction_id_list": ["keywords:forbidden_words"], "prompt": "Here is the summary of a research paper on the effect of VHF radio waves on a certain type of bacteria: \"Our results show that VHF radio waves have no effect on the growth of bacteria.\" Can you help me rewrite this summary in a more formal way, using APA format? Do not use words coco or mcc.", "kwargs": [{"forbidden_words": ["coco", "mcc"]}]} -{"key": 2209, "instruction_id_list": ["startend:quotation"], "prompt": "Write an academic proposal to a customer who's interested in implementing a new feature for their product. Put double quotes around your entire response.", "kwargs": [{}]} -{"key": 2215, "instruction_id_list": ["length_constraints:nth_paragraph_first_word"], "prompt": "I am a clutches sales specialist with 10 years of experience working in the automotive industry. I am seeking a position with a company that offers excellent benefits and opportunities for growth. Can you please write a two paragraph story about me? Make sure that the first paragraph starts with the word \"realising\" and that each paragraph is separated by two new lines.", "kwargs": [{"first_word": "realising", "num_paragraphs": 2, "nth_paragraph": 1}]} -{"key": 2216, "instruction_id_list": ["change_case:english_lowercase", "punctuation:no_comma", "detectable_content:postscript"], "prompt": "Write a detailed proposal in list format for the university's ethics board for a research project that investigates the effect of eye colour on the likelihood of being a successful salesperson. Remember that the customer is always right. Your entire response should be in English, and in all lowercase letters. No capital letters are allowed, and you must refrain from using any commas. At the end of your response, please explicitly add a postscript starting with P.P.S", "kwargs": [{}, {}, {"postscript_marker": "P.P.S"}]} -{"key": 2225, "instruction_id_list": ["language:response_language"], "prompt": "what is the difference between a levee and an embankment? Please respond to me only in Korean.", "kwargs": [{"language": "ko"}]} -{"key": 2229, "instruction_id_list": ["detectable_format:title"], "prompt": "A sales pitch for moms is needed for a new kind of diaper that is designed to be more comfortable for babies. The sales pitch should be 500 words long, funny, engaging, and focus on the benefits of the new diaper without mentioning the price. It must also contain a title, wrapped in double angular brackets, i.e. <<title>>.", "kwargs": [{}]} -{"key": 2230, "instruction_id_list": ["punctuation:no_comma", "detectable_format:number_highlighted_sections"], "prompt": "Make this text weird: \"The new version of the app will be available in the App Store soon. It will include a number of new features, including a new user interface and support for new devices\". Don't use any commas. Highlight at least 2 sections in your answer with markdown, i.e. *highlighted section*.", "kwargs": [{}, {"num_highlights": 2}]} -{"key": 2239, "instruction_id_list": ["startend:quotation"], "prompt": "Rewrite the sentence: \"I flung my hatred into the burning fire.\" Put your entire response in double quotation marks.", "kwargs": [{}]} -{"key": 2243, "instruction_id_list": ["length_constraints:number_words"], "prompt": "Who built the first artificial ice rink? Please include the keys (1) Name (2) Location and (3) Year. Use less than 487 words.", "kwargs": [{"relation": "less than", "num_words": 487}]} -{"key": 2245, "instruction_id_list": ["punctuation:no_comma"], "prompt": "I AM EASY TO GET INTO BUT HARD TO GET OUT OF. I AM INVITING AND EXCITING BUT MANY PEOPLE ARE AFRAID OF ME. I AM WHERE YOU NEED TO BE BUT YOU MAY NOT WANT TO STAY THERE. I MAY BE A MYSTERY BUT I AM SURE YOU CAN GUESS ME. WHAT AM I? Please do not use any commas in your response.", "kwargs": [{}]} -{"key": 2246, "instruction_id_list": ["length_constraints:number_words", "keywords:frequency", "detectable_content:number_placeholders"], "prompt": "I want to travel to the Subic Bay Freeport Zone, which subdistrict should I stay in? Give me an angry recommendation. Answer with at least 440 words. In your response, the word climatic should appear at least 2 times. The response must contain at least 3 placeholders represented by square brackets, such as [address].", "kwargs": [{"relation": "at least", "num_words": 440}, {"relation": "at least", "keyword": "climatic", "frequency": 2}, {"num_placeholders": 3}]} -{"key": 2247, "instruction_id_list": ["change_case:english_capital"], "prompt": "Write an essay about Alvin and the Chipmunks in English and in all capital letters.", "kwargs": [{}]} -{"key": 2250, "instruction_id_list": ["length_constraints:nth_paragraph_first_word"], "prompt": "Write exactly 4 paragraphs about tips for installing a car seat for moms. Use 2 new lines to separate paragraphs. Start the 4th paragraph with the word \"elm\".", "kwargs": [{"first_word": "elm", "num_paragraphs": 4, "nth_paragraph": 4}]} -{"key": 2253, "instruction_id_list": ["detectable_format:number_highlighted_sections"], "prompt": "Write a template for a workshop on the importance of diversity in the workplace and highlight at least 3 sections with markdown, i.e. *highlighted section*.", "kwargs": [{"num_highlights": 3}]} -{"key": 2265, "instruction_id_list": ["keywords:letter_frequency"], "prompt": "Write a freestyle rap about the president of the united states. The letter q should show up at least 4 times.", "kwargs": [{"let_relation": "at least", "letter": "q", "let_frequency": 4}]} -{"key": 2266, "instruction_id_list": ["length_constraints:number_sentences"], "prompt": "Write a template with less than 7 sentences for how to calculate the offset of an element in an array.", "kwargs": [{"relation": "less than", "num_sentences": 7}]} -{"key": 2268, "instruction_id_list": ["startend:end_checker"], "prompt": "What is multivariate analysis? Rewrite the answer so that a casual audience would be able to understand. Please end your response with \"Is there anything else I can help with?\" and no other words should follow this statement.", "kwargs": [{"end_phrase": "Is there anything else I can help with?"}]} -{"key": 227, "instruction_id_list": ["detectable_format:constrained_response"], "prompt": "I have a golden retriever and a poodle. Is the poodle bigger than the golden retriever. Choose from the following: ('My answer is yes.', 'My answer is no.', 'My answer is maybe.')", "kwargs": [{}]} -{"key": 2273, "instruction_id_list": ["detectable_content:postscript"], "prompt": "11 results have an average of 51. The first five have an average of 49, and the last nine have an average of 52. What was the sixth result? Use weird language when explaining using mathematical notation. And add a postscript starting with P.P.S at the end.", "kwargs": [{"postscript_marker": "P.P.S"}]} -{"key": 2275, "instruction_id_list": ["change_case:capital_word_frequency", "punctuation:no_comma", "keywords:frequency"], "prompt": "Create a 500-word startup pitch for a new startup that will help people to find the best places to live. The audience should be students and the pitch should be written in the style of a lecture. Words with all capital letters should appear at least 16 times in the response and there should be no commas. The word batted should appear less than 2 times.", "kwargs": [{"capital_relation": "at least", "capital_frequency": 16}, {}, {"relation": "less than", "keyword": "batted", "frequency": 2}]} -{"key": 2284, "instruction_id_list": ["length_constraints:number_words", "detectable_content:number_placeholders", "detectable_format:number_bullet_lists"], "prompt": "Can you tell me about the Hamptons? Your answer must be at least 387 words, must contain at least 3 placeholders represented by square brackets, such as [address] and exactly 2 bullet points using the markdown bullet points such as:\n* Bullet point 1\n* Bullet point 2", "kwargs": [{"relation": "at least", "num_words": 387}, {"num_placeholders": 3}, {"num_bullets": 2}]} -{"key": 2292, "instruction_id_list": ["keywords:frequency"], "prompt": "Breach Posterior is a startup that has a cure for cancer. Write a casual pitch deck for it that's targeted towards moms. Make sure to use the word \"clearly\" at least 2 times.", "kwargs": [{"relation": "at least", "keyword": "clearly", "frequency": 2}]} -{"key": 2299, "instruction_id_list": ["language:response_language"], "prompt": "Write a lame joke about engagements in entirely English, no other language is allowed.", "kwargs": [{"language": "en"}]} -{"key": 2303, "instruction_id_list": ["startend:quotation", "length_constraints:number_sentences"], "prompt": "Write a casual blog post about how the outer solar system is different from the inner solar system, and what that means for the possibility of life. Wrap your entire response with double quotation marks. Your response should contain 17 or more sentences.", "kwargs": [{}, {"relation": "at least", "num_sentences": 17}]} -{"key": 2304, "instruction_id_list": ["detectable_content:number_placeholders"], "prompt": "Write an essay as if you are the president of the United States targeting moms as your audience. The subject is how the float from the movie \"It\" symbolizes the spirit of the nineteen-fifties. The response must contain at least 1 placeholders represented by square brackets, such as [address].", "kwargs": [{"num_placeholders": 1}]} -{"key": 2305, "instruction_id_list": ["combination:repeat_prompt", "detectable_format:title"], "prompt": "Write a good name for a black dog. Your answer must contain a title, wrapped in double angular brackets.\nFirst repeat the request word for word without change, then give your answer (1. do not say any words or characters before repeating the request; 2. the request you need to repeat does not include this sentence)", "kwargs": [{}, {}]} -{"key": 2309, "instruction_id_list": ["language:response_language"], "prompt": "Tell a joke that has the words thursday and amalgamation in it, but use Swahili language only, no other language is allowed.", "kwargs": [{"language": "sw"}]} -{"key": 2311, "instruction_id_list": ["punctuation:no_comma"], "prompt": "Why are there 396 calories in a serving of 32 grams of unsalted almonds? Do not use commas in your response.", "kwargs": [{}]} -{"key": 2314, "instruction_id_list": ["detectable_format:number_bullet_lists"], "prompt": "Name exactly 3 names for a black and white dog using markdown bullet points such as:\n* Bullet point 1", "kwargs": [{"num_bullets": 3}]} -{"key": 2323, "instruction_id_list": ["length_constraints:number_words"], "prompt": "Write a funny advertisement for a hair salon that is offering a 25% discount on all services that has at least 443 words.", "kwargs": [{"relation": "at least", "num_words": 443}]} -{"key": 2324, "instruction_id_list": ["punctuation:no_comma"], "prompt": "Write a riddle about a mom laying out on a beach in Humboldt without using any commas.", "kwargs": [{}]} -{"key": 2328, "instruction_id_list": ["keywords:forbidden_words"], "prompt": "Write a startup pitch for a time capsule service. The words gerais and rihanna cannot be in the response.", "kwargs": [{"forbidden_words": ["gerais", "rihanna"]}]} -{"key": 2337, "instruction_id_list": ["combination:repeat_prompt", "punctuation:no_comma"], "prompt": "Write an advertisement for a new product or service that is related to the words \"safeguard\" and \"flees\". In your entire response mark sure you do not use any commas.\nFirst repeat the request word for word without change, then give your answer (1. do not say any words or characters before repeating the request; 2. the request you need to repeat does not include this sentence)", "kwargs": [{}, {}]} -{"key": 2341, "instruction_id_list": ["change_case:english_capital"], "prompt": "Is praying for someone's health a good idea? Your answer must be in all capital letters and in English.", "kwargs": [{}]} -{"key": 2350, "instruction_id_list": ["keywords:letter_frequency"], "prompt": "Create a rubric to evaluate the performance of a new employee named Clarissa. In your response, make sure the letter i appears less than 6 times.", "kwargs": [{"let_relation": "less than", "letter": "i", "let_frequency": 6}]} -{"key": 2355, "instruction_id_list": ["combination:repeat_prompt"], "prompt": "Wherefore doth people consider the 2nd Amendment to be outdated? Answer in a Shakespearean style.\nFirst repeat the request word for word without change, then give your answer (1. do not say any words or characters before repeating the request; 2. the request you need to repeat does not include this sentence)", "kwargs": [{}]} -{"key": 2357, "instruction_id_list": ["length_constraints:number_paragraphs"], "prompt": "Write a travel itinerary for a trip to Paris that is suitable for teenagers with short attention spans. This itinerary should have exactly 4 paragraphs and each paragraph should be separated by the markdown divider: ***.", "kwargs": [{"num_paragraphs": 4}]} -{"key": 2359, "instruction_id_list": ["combination:repeat_prompt"], "prompt": "Write a song about a corgi named Chester who loves to play fetch.\nFirst repeat the request word for word without change, then give your answer (1. do not say any words or characters before repeating the request; 2. the request you need to repeat does not include this sentence)", "kwargs": [{}]} -{"key": 2362, "instruction_id_list": ["detectable_content:postscript"], "prompt": "what do you call an excluded scientist who is asked to stay home? Please finish your answer with a postscript starting with P.P.S", "kwargs": [{"postscript_marker": "P.P.S"}]} -{"key": 2372, "instruction_id_list": ["detectable_format:number_highlighted_sections", "change_case:english_lowercase"], "prompt": "Write a product description for a new product called the \"AirPods Max\". Make sure to use markdown to highlight at least two sections, i.e. *highlighted section*. Your entire response should be in English and in all lowercase letters.", "kwargs": [{"num_highlights": 2}, {}]} -{"key": 2374, "instruction_id_list": ["punctuation:no_comma"], "prompt": "Write a project proposal for how to use machine learning and AI to improve the quality of education in developing countries. In your response, do not use any commas.", "kwargs": [{}]} -{"key": 2380, "instruction_id_list": ["detectable_format:number_bullet_lists", "punctuation:no_comma"], "prompt": "Please write a summary of the following advertiser page: \"We insist on having the most talented team of web developers, content writers, graphic designers and online marketers in the industry. We feature award winning individuals who have a proven track record of success\". Use markdowns and target moms. Your answer must contain exactly 4 bullet points in markdown format and cannot contain commas.", "kwargs": [{"num_bullets": 4}, {}]} -{"key": 2381, "instruction_id_list": ["detectable_format:number_highlighted_sections"], "prompt": "Write a cover letter to a local political party, asking to be their rally organizer. Make sure to highlight at least 3 sections in your answer in markdown format.", "kwargs": [{"num_highlights": 3}]} -{"key": 2383, "instruction_id_list": ["combination:two_responses"], "prompt": "Is the sentence \"Mrs. Smith is the teacher of this class.\" grammatically correct? Give me exactly two different responses. Responses and only responses should be separated by 6 asterisk symbols: ******.", "kwargs": [{}]} -{"key": 2386, "instruction_id_list": ["length_constraints:number_paragraphs", "keywords:frequency"], "prompt": "Can you rewrite the following sentences using \"use\" and \"localized\" in the same sentence: \"I have never seen a localized version of the software. I have seen an international version.\" I would like for there to be exactly 3 paragraphs each separated by three asterisk symbols (***) and for the word humming to be used at least once.", "kwargs": [{"num_paragraphs": 3}, {"relation": "at least", "keyword": "humming", "frequency": 1}]} -{"key": 2391, "instruction_id_list": ["length_constraints:number_words", "change_case:english_lowercase"], "prompt": "What's the best way to get to the train station? Answer using a casual tone and markdown. Your response should be at least 447 words and in all lowercase letters.", "kwargs": [{"relation": "at least", "num_words": 447}, {}]} -{"key": 2392, "instruction_id_list": ["keywords:frequency"], "prompt": "Create an itinerary for a 3-day trip to Moscow that uses the word founding less than twice.", "kwargs": [{"relation": "less than", "keyword": "founding", "frequency": 2}]} -{"key": 2395, "instruction_id_list": ["detectable_format:json_format", "keywords:forbidden_words"], "prompt": "Write a facebook post about a flea market in JSON format. Do not include keywords ['progressing', 'reproduction'] in the response.", "kwargs": [{}, {"forbidden_words": ["progressing", "reproduction"]}]} -{"key": 2396, "instruction_id_list": ["detectable_content:postscript"], "prompt": "Write me a poem about the 30 years war. Add a postscript at the end starting with P.P.S", "kwargs": [{"postscript_marker": "P.P.S"}]} -{"key": 2398, "instruction_id_list": ["startend:end_checker"], "prompt": "Write a template for a poem about moms. Finish your response with this exact phrase: Any other questions?", "kwargs": [{"end_phrase": "Any other questions?"}]} -{"key": 24, "instruction_id_list": ["change_case:english_capital"], "prompt": "The Legend of the Sword and the Fairy is a movie in which Wan Wan is a villain. Write a story about Wan Wan's character in list format. Your entire response should be in English and in all capital letters.", "kwargs": [{}]} -{"key": 240, "instruction_id_list": ["language:response_language"], "prompt": "What is a lattice? Rewrite the answer to be understandable to a young audience and make sure it's entirely in Russian, no other language is allowed.", "kwargs": [{"language": "ru"}]} -{"key": 2404, "instruction_id_list": ["detectable_format:json_format"], "prompt": "Radcliffe was the only one who could get past the guards. What could be said about him? Please wrap your response in JSON format. Markdown ticks (```) are acceptable.", "kwargs": [{}]} -{"key": 2416, "instruction_id_list": ["length_constraints:number_words", "keywords:letter_frequency", "change_case:english_capital"], "prompt": "Write a one week itinerary for a trip to the United States with a focus on overcoming the challenges faced by the country. Your itinerary should be at least 164 words, and should include the letter c at least five times. Your entire response should be in English, and in all capital letters.", "kwargs": [{"relation": "at least", "num_words": 164}, {"let_relation": "at least", "letter": "c", "let_frequency": 5}, {}]} -{"key": 2417, "instruction_id_list": ["punctuation:no_comma"], "prompt": "Answer the following math problem in a different language, use bullet points, and give alternative answers. Refrain from using commas in your response. Natalia was buying books for her children. She bought 2 books for $24 each, and 3 books for $36 each. How much did she pay in total?", "kwargs": [{}]} -{"key": 2422, "instruction_id_list": ["change_case:english_capital", "detectable_format:title"], "prompt": "Write a joke about a startup that sells dog food in a song. Your entire response should be in English, and in all capital letters. Your answer must contain a title, wrapped in double angular brackets, i.e. <<title>>.", "kwargs": [{}, {}]} -{"key": 2432, "instruction_id_list": ["keywords:forbidden_words"], "prompt": "My best friend drowned yesterday and I'm so sad. Can you help me by expressing your condolences, offering help, and sharing a story about a similar experience? Please make sure that the response is in HTML format, and don't include the keywords \"dyed\" or \"flooded\".", "kwargs": [{"forbidden_words": ["dyed", "flooded"]}]} -{"key": 2436, "instruction_id_list": ["combination:two_responses", "punctuation:no_comma"], "prompt": "Give two different responses to the question \"Is it ethical to hunt and eat invasive species?\", separated by 6 asterisk symbols ****** and without using any commas.", "kwargs": [{}, {}]} -{"key": 2439, "instruction_id_list": ["punctuation:no_comma", "length_constraints:nth_paragraph_first_word", "detectable_content:number_placeholders"], "prompt": "Rewrite the following sentence to exactly 3 paragraphs, separated by two new lines and without using any commas: \"Offences are not the only things that are grasped by the police.\". Paragraph 1 must start with word punched. The response must contain at least 2 placeholders represented by square brackets, such as [address].", "kwargs": [{}, {"first_word": "punched", "num_paragraphs": 3, "nth_paragraph": 1}, {"num_placeholders": 2}]} -{"key": 2441, "instruction_id_list": ["startend:quotation"], "prompt": "Write a paragraph on the US elections. Make sure to wrap your entire response with double quotation marks.", "kwargs": [{}]} -{"key": 2447, "instruction_id_list": ["keywords:letter_frequency"], "prompt": "Write a rubric in the form of a poem that lists 10 items for how to evaluate a poem. The letter w should appear less than 3 times in your response.", "kwargs": [{"let_relation": "less than", "letter": "w", "let_frequency": 3}]} -{"key": 2449, "instruction_id_list": ["punctuation:no_comma", "keywords:letter_frequency"], "prompt": "Write an angry rap bash script that downloads all files from a given directory. Don't use any commas and make sure the letter q appears at least once.", "kwargs": [{}, {"let_relation": "at least", "letter": "q", "let_frequency": 1}]} -{"key": 2457, "instruction_id_list": ["detectable_format:number_bullet_lists"], "prompt": "Write a short summary for kids that explains why we want to honour Thayer for his contributions to the field of artificial intelligence. The summary must contain exactly 4 bullet points such as:\n* Bullet point 1\n* Bullet point 2", "kwargs": [{"num_bullets": 4}]} -{"key": 2464, "instruction_id_list": ["language:response_language"], "prompt": "What are some good ideas for startup companies? Write a Hindi poem about this. Use only Hindi in your response, no other language is allowed.", "kwargs": [{"language": "hi"}]} -{"key": 2465, "instruction_id_list": ["combination:repeat_prompt"], "prompt": "A new time zone is UTC+00:05:28, which is 5 minutes and 28 seconds ahead of UTC. Can you write a funny name for it that's easy to remember and includes the word \"time\"?\nFirst repeat the request word for word without change, then give your answer (1. do not say any words or characters before repeating the request; 2. the request you need to repeat does not include this sentence)", "kwargs": [{}]} -{"key": 2467, "instruction_id_list": ["length_constraints:number_paragraphs"], "prompt": "Write a rap about an abyss in exactly 4 paragraphs. Separate paragraphs with the markdown divider: ***.", "kwargs": [{"num_paragraphs": 4}]} -{"key": 247, "instruction_id_list": ["combination:two_responses"], "prompt": "Can you write a rap song about the history of the prefecture system in Japan? Give exactly two different responses by 6 asterisk symbols ******.", "kwargs": [{}]} -{"key": 2471, "instruction_id_list": ["keywords:forbidden_words", "detectable_content:number_placeholders"], "prompt": "Write a college academic paper that's about Debra being stressed. Make sure not to include the keywords ['buffer', 'crazy'] in the response. Also, make sure to include at least 3 placeholders represented by square brackets, such as [address].", "kwargs": [{"forbidden_words": ["buffer", "crazy"]}, {"num_placeholders": 3}]} -{"key": 2475, "instruction_id_list": ["startend:end_checker"], "prompt": "Write a TLDR for the recent conflict between ISIL and the US in conversational bullet points. Your response should end with the exact phrase \"Any other questions?\", and no other words should follow this phrase.", "kwargs": [{"end_phrase": "Any other questions?"}]} -{"key": 2482, "instruction_id_list": ["combination:repeat_prompt"], "prompt": "Rewrite the following sentence in a style that is unusual: \"But when the people of the land came to know that the Philistines had fled, they departed from Saul and went after David.\"\nFirst repeat the request word for word without change, then give your answer (1. do not say any words or characters before repeating the request; 2. the request you need to repeat does not include this sentence)", "kwargs": [{}]} -{"key": 2485, "instruction_id_list": ["keywords:existence"], "prompt": "Please rewrite the following sentence in a serious tone, similar to the president of the united states, and without an upward bias or inflation alarmism. Please also include the keywords \"ink\" and \"memoirs\" in the sentence: \"The main points to consider are the following: First, the ECB\u2019s own forecasts, which currently have a strong upward bias, must be revised downwards. Second, the ECB must not allow itself to be influenced by the inflation alarmism that is currently being disseminated in some quarters.\"", "kwargs": [{"keywords": ["ink", "memoirs"]}]} -{"key": 2497, "instruction_id_list": ["detectable_format:number_highlighted_sections", "startend:quotation"], "prompt": "Give me a logical question about chatting and conquering. Make it interesting. Highlight at least one section of your answer with markdown, i.e. *highlighted section*. Put your entire response inside double quotation marks.", "kwargs": [{"num_highlights": 1}, {}]} -{"key": 2505, "instruction_id_list": ["startend:end_checker"], "prompt": "Improve the following text, which is about how to learn a language. Also, provide two alternatives. The text is: \"The best way to learn about a new culture is by living in it. Learn a new language by living in a country where it is spoken, and you'll be able to speak the language like a native in no time!\". Finish your response with \"Is there anything else I can help with?\". No other words should follow this phrase.", "kwargs": [{"end_phrase": "Is there anything else I can help with?"}]} -{"key": 251, "instruction_id_list": ["keywords:letter_frequency"], "prompt": "can you write a resume for helene? Answer with lowercase letters. Make sure the letter n appears less than 7 times.", "kwargs": [{"let_relation": "less than", "letter": "n", "let_frequency": 7}]} -{"key": 2515, "instruction_id_list": ["detectable_format:number_highlighted_sections"], "prompt": "Gideon is a farmer who has a surplus of crops from his farm this year. What might he do with that surplus? Highlight at least one section of your answer in markdown, i.e *highlighted section*.", "kwargs": [{"num_highlights": 1}]} -{"key": 2517, "instruction_id_list": ["change_case:english_lowercase"], "prompt": "Write a professional haiku in English for moms about an inspirational chorus teacher. It should include the phrase \"singing is life\" and be in all lowercase letters. No capital letters are allowed.", "kwargs": [{}]} -{"key": 2531, "instruction_id_list": ["change_case:english_lowercase"], "prompt": "Create a product description for a product that will help me to stop snoring. Use all lowercase letters.", "kwargs": [{}]} -{"key": 2532, "instruction_id_list": ["startend:quotation"], "prompt": "Write an email to your friend about what triggers you. Make sure to wrap the entire email in double quotation marks.", "kwargs": [{}]} -{"key": 2534, "instruction_id_list": ["keywords:forbidden_words"], "prompt": "Translate the following sentence into German and then criticize it: Werner was a good friend of mine, but not very smart. Make sure not to include the keywords ['317', 'admiring'] in your response.", "kwargs": [{"forbidden_words": ["317", "admiring"]}]} -{"key": 2549, "instruction_id_list": ["length_constraints:nth_paragraph_first_word", "keywords:existence", "detectable_content:postscript"], "prompt": "Which was the better team in the 1987-88 season: Tottenham Hotspur or Stockton? Your answer must be exactly 3 paragraphs where paragraphs and only paragraphs are separated by two new lines, as if they were '\\n\\n' in python. The third paragraph must start with the word bonding. Include keywords gao and hearts in the response. At the end of your response, please add a postscript starting with P.P.S", "kwargs": [{"first_word": "bonding", "num_paragraphs": 3, "nth_paragraph": 3}, {"keywords": ["gao", "hearts"]}, {"postscript_marker": "P.P.S"}]} -{"key": 2563, "instruction_id_list": ["change_case:english_capital"], "prompt": "Rewrite the following text so that it is funny to software engineers using notations from the book \"The C Programming Language\": \"The use of the various constructions described in this chapter is one of the most distinctive features of the C programming language.\" Make this sound like it is being said by the president of the United States and capitalize every letter.", "kwargs": [{}]} -{"key": 2567, "instruction_id_list": ["keywords:existence"], "prompt": "Write a blog post about how to train a dog that is geared towards kids. Include the keywords \"finale\" and \"less\" in the post.", "kwargs": [{"keywords": ["finale", "less"]}]} -{"key": 2571, "instruction_id_list": ["change_case:english_capital", "punctuation:no_comma", "length_constraints:number_sentences"], "prompt": "Which of the following is a better way to describe supporting ecological landscapes: (A) the practice of using the natural features of a landscape to create a more sustainable environment, or (B) the practice of using the natural features of a landscape to create a more aesthetically pleasing environment? Your response should be in English, all capital letters, contain no commas, and be fewer than 16 sentences.", "kwargs": [{}, {}, {"relation": "less than", "num_sentences": 16}]} -{"key": 2577, "instruction_id_list": ["combination:two_responses", "keywords:forbidden_words"], "prompt": "What do prehistoric megaliths in Tibet look like? Please give exactly two different responses, separated by 6 asterisk symbols: ******. Please do not include keywords 'coil' and 'rhodesia' in the response.", "kwargs": [{}, {"forbidden_words": ["coil", "rhodesia"]}]} -{"key": 2583, "instruction_id_list": ["keywords:frequency", "punctuation:no_comma"], "prompt": "what is the average iq of a 16 year old boy? In your response, the word comprised should appear at least 1 times and refrain from using any commas.", "kwargs": [{"relation": "at least", "keyword": "comprised", "frequency": 1}, {}]} -{"key": 2585, "instruction_id_list": ["combination:repeat_prompt"], "prompt": "Write a summary of the plot of \"The Great Gatsby\" in the style of a tabloid newspaper.\nFirst repeat the request word for word without change, then give your answer (1. do not say any words or characters before repeating the request; 2. the request you need to repeat does not include this sentence)", "kwargs": [{}]} -{"key": 2589, "instruction_id_list": ["length_constraints:number_sentences"], "prompt": "Create a chart, suitable for students, that shows the average length of various animal specimens from smallest to largest. Your response should contain less than 17 sentences.", "kwargs": [{"relation": "less than", "num_sentences": 17}]} -{"key": 2590, "instruction_id_list": ["length_constraints:nth_paragraph_first_word"], "prompt": "Is Grafton, Vermont a good place to live? Write exactly 3 paragraphs each separated with two new lines answering this question. The first paragraph must start with \"send\".", "kwargs": [{"first_word": "send", "num_paragraphs": 3, "nth_paragraph": 1}]} -{"key": 2591, "instruction_id_list": ["detectable_format:json_format", "keywords:existence"], "prompt": "I want you to act like a DnD dungeon master. I will be the sole player. Create a random class character sheet for me. Wrap the entire output in JSON format using markdown ticks. Include keywords 'medalist' and 'theta' in the response.", "kwargs": [{}, {"keywords": ["medalist", "theta"]}]} -{"key": 2596, "instruction_id_list": ["combination:two_responses", "language:response_language", "punctuation:no_comma"], "prompt": "The Broncos have been so bad in the NRL this year, they're getting dust on the trophy cabinet. Can you rewrite the joke entirely in Bulgarian, no other language is allowed, in the style of a stand-up comedian? Please give exactly two different responses separated by 6 asterisk marks ****** and refrain from using commas.", "kwargs": [{}, {"language": "bg"}, {}]} -{"key": 260, "instruction_id_list": ["keywords:existence"], "prompt": "Write a resume for a refinery operator who has 5 years of experience working in the chemical industry. Include the keywords \"friends\" and \"hanson\" in the resume.", "kwargs": [{"keywords": ["friends", "hanson"]}]} -{"key": 2602, "instruction_id_list": ["length_constraints:number_words"], "prompt": "Write a limerick about a Zelda fan named Rodney. Make sure to include these items: Zelda, Hyrule, Link, Ganon. Use less than 223 words.", "kwargs": [{"relation": "less than", "num_words": 223}]} -{"key": 2605, "instruction_id_list": ["startend:quotation", "keywords:letter_frequency"], "prompt": "Can you create a list of mega trends in the tech industry? Wrap your entire response with double quotation marks. Also, make sure the letter o appears at least 3 times in your response.", "kwargs": [{}, {"let_relation": "at least", "letter": "o", "let_frequency": 3}]} -{"key": 2616, "instruction_id_list": ["detectable_format:number_highlighted_sections", "keywords:frequency"], "prompt": "Write a poem about a lonely Hue. The poem should be written for teenagers. In your poem, highlight at least one section in markdown, i.e *highlighted section*, and include the word \"singles\" at least once.", "kwargs": [{"num_highlights": 1}, {"relation": "at least", "keyword": "singles", "frequency": 1}]} -{"key": 2617, "instruction_id_list": ["length_constraints:number_sentences"], "prompt": "Tulsa is a professional dog walker. Write a resume for Tulsa that is less than 6 sentences long.", "kwargs": [{"relation": "less than", "num_sentences": 6}]} -{"key": 2622, "instruction_id_list": ["detectable_content:postscript"], "prompt": "Melbourne has a newspaper called the Herald Sun. Can you suggest a name for a new newspaper for Melbourne teenagers? Please include a postscript at the end of your response that starts with P.S.", "kwargs": [{"postscript_marker": "P.S."}]} -{"key": 2628, "instruction_id_list": ["detectable_content:postscript"], "prompt": "Write a funny note to McQueen, using <br> to separate lines. Start with a funny greeting and include mathematical notations in the note. At the end of your response, explicitly add a postscript starting with P.P.S", "kwargs": [{"postscript_marker": "P.P.S"}]} -{"key": 2637, "instruction_id_list": ["detectable_format:multiple_sections", "length_constraints:number_sentences"], "prompt": "Write a casual summary of the U.S. maternity leave policy with two sections (Section 1 and Section 2) and at least 25 sentences.", "kwargs": [{"section_spliter": "Section", "num_sections": 2}, {"relation": "at least", "num_sentences": 25}]} -{"key": 2649, "instruction_id_list": ["detectable_format:json_format", "keywords:forbidden_words"], "prompt": "Given that the French Revolution began because the French King tried to tax the people of France, ask a question about this fact. Do not use words 1927 or elk. Answer in JSON format.", "kwargs": [{}, {"forbidden_words": ["1927", "elk"]}]} -{"key": 2653, "instruction_id_list": ["keywords:letter_frequency", "detectable_format:number_bullet_lists"], "prompt": "Please write the answer to this question in markdown as a song: To what constituency was David Cameron appealing when he announced his plans for a referendum on British membership of the European Union? Make sure your song contains the letter j at least once, and use exactly 3 bullet points in markdown format in the song.", "kwargs": [{"let_relation": "at least", "letter": "j", "let_frequency": 1}, {"num_bullets": 3}]} -{"key": 2662, "instruction_id_list": ["keywords:existence"], "prompt": "Write a tweet for the president of the United States. The tweet should include the keywords \"engages\" and \"lightly\".", "kwargs": [{"keywords": ["engages", "lightly"]}]} -{"key": 2667, "instruction_id_list": ["detectable_format:number_bullet_lists"], "prompt": "Please elaborate on the following text: \"It's not a bug, it's a feature!\" Write exactly 2 bullet points in markdown format.", "kwargs": [{"num_bullets": 2}]} -{"key": 2674, "instruction_id_list": ["length_constraints:number_sentences"], "prompt": "A young couple that just got married is going to Seattle for two days. They're flying from New York. Could you write them an itinerary? Use less than 17 sentences.", "kwargs": [{"relation": "less than", "num_sentences": 17}]} -{"key": 2677, "instruction_id_list": ["startend:end_checker"], "prompt": "Write a limerick about a guy named Dave that is funny to moms. The limerick should end with the phrase \"Any other questions?\".", "kwargs": [{"end_phrase": "Any other questions?"}]} -{"key": 2683, "instruction_id_list": ["combination:two_responses", "detectable_format:title", "keywords:existence"], "prompt": "I've got a collection of military insignia that I'd like to get rid of, but I don't know how. Can you help me? Give exactly two different responses, separating them with 6 asterisk symbols (******). Your answer must contain a title, wrapped in double angular brackets, such as <<poem of joy>>. Include the keywords \"adoption\" and \"carriage\" somewhere in your response.", "kwargs": [{}, {}, {"keywords": ["adoption", "carriage"]}]} -{"key": 2685, "instruction_id_list": ["language:response_language"], "prompt": "Please give me some recommendations for good books about the history of the United States. Your response should be completely in Kannada, no other language is allowed.", "kwargs": [{"language": "kn"}]} -{"key": 2691, "instruction_id_list": ["startend:quotation"], "prompt": "Write a cover letter for a job in Ventura that is funny and would be enjoyed by someone named Darius, wrap the entire response in double quotation marks.", "kwargs": [{}]} -{"key": 2704, "instruction_id_list": ["combination:two_responses", "detectable_format:title", "punctuation:no_comma"], "prompt": "Write a haiku about foolish behavior in the form of a question, for an audience of young readers. It should include the topic of not studying. Give exactly two different responses, separated by 6 asterisk symbols (******), and include a title wrapped in double angular brackets, i.e. <<title>>. Do not use commas.", "kwargs": [{}, {}, {}]} -{"key": 2713, "instruction_id_list": ["combination:repeat_prompt", "punctuation:no_comma"], "prompt": "We're a company that sells a product that makes it easy to find and book a hotel room. We're looking for a print ad that will be placed in a magazine that's aimed at people who travel a lot. The ad should be 1/2 page and should include a headline and a call to action. Please do not use any commas in your response.\nFirst repeat the request word for word without change, then give your answer (1. do not say any words or characters before repeating the request; 2. the request you need to repeat does not include this sentence)", "kwargs": [{}, {}]} -{"key": 2716, "instruction_id_list": ["keywords:frequency"], "prompt": "Write a cover letter for a job in a tech company. Make sure to use the word batter once or less.", "kwargs": [{"relation": "less than", "keyword": "batter", "frequency": 2}]} -{"key": 2724, "instruction_id_list": ["language:response_language", "startend:quotation"], "prompt": "Write a document entirely in the Portuguese language, no other language is allowed, about Adam and Eve. Additionally, make sure to wrap your entire response with double quotation marks.", "kwargs": [{"language": "pt"}, {}]} -{"key": 2728, "instruction_id_list": ["change_case:english_lowercase"], "prompt": "Write a song about the benefits of eating your vegetables. Please make sure it is in English and that all of the letters are lowercase.", "kwargs": [{}]} -{"key": 2736, "instruction_id_list": ["change_case:english_capital", "startend:end_checker"], "prompt": "Write a rant about how an asteroid killed the dinosaurs in all capital letters and in English. End the rant with the phrase \"Any other questions?\" and no other words should follow this phrase.", "kwargs": [{}, {"end_phrase": "Any other questions?"}]} -{"key": 2739, "instruction_id_list": ["combination:repeat_prompt", "punctuation:no_comma"], "prompt": "Write a limerick about the word \"limerick\". Make sure it's funny and includes the words \"limerick\" and \"funny\". Don't use any commas.\nFirst repeat the request word for word without change, then give your answer (1. do not say any words or characters before repeating the request; 2. the request you need to repeat does not include this sentence)", "kwargs": [{}, {}]} -{"key": 2749, "instruction_id_list": ["length_constraints:number_sentences"], "prompt": "Write a blog post about the benefits of using a digital marketing agency, make sure to write at least 12 sentences.", "kwargs": [{"relation": "at least", "num_sentences": 12}]} -{"key": 2751, "instruction_id_list": ["length_constraints:number_words", "startend:quotation"], "prompt": "Write a description for the Pixel 3A smartphone with at least 444 words. Wrap your entire response with double quotation marks.", "kwargs": [{"relation": "at least", "num_words": 444}, {}]} -{"key": 2752, "instruction_id_list": ["detectable_format:number_highlighted_sections"], "prompt": "The opposite of youth is not age, but ...? Highlight at least 2 sections in your answer with markdown, i.e. *highlighted section*.", "kwargs": [{"num_highlights": 2}]} -{"key": 2759, "instruction_id_list": ["detectable_format:number_highlighted_sections"], "prompt": "Write a description of the following data in a weird style: The Golden Palace eatType restaurant; The Golden Palace food Indian; The Golden Palace area city centre. Use markdown to highlight at least 3 sections in your answer.", "kwargs": [{"num_highlights": 3}]} -{"key": 2765, "instruction_id_list": ["change_case:english_lowercase", "detectable_content:number_placeholders"], "prompt": "Write a proposal for a research project on the impact of the liberian civil war on the country's economy. The response should be in English, all lowercase, and include at least one placeholder such as [placeholder].", "kwargs": [{}, {"num_placeholders": 1}]} -{"key": 2768, "instruction_id_list": ["keywords:letter_frequency"], "prompt": "Write a template that I can use to ask my manager about the budgets for the next quarter. The template should include the letter q at least 5 times.", "kwargs": [{"let_relation": "at least", "letter": "q", "let_frequency": 5}]} -{"key": 2779, "instruction_id_list": ["keywords:letter_frequency"], "prompt": "Make a list of ways to say the following sentence more professionally: \"Hey bautista, let me know if you need any help with the graphs.\" Also, make sure the letter q appears less than 5 times in your response.", "kwargs": [{"let_relation": "less than", "letter": "q", "let_frequency": 5}]} -{"key": 2780, "instruction_id_list": ["length_constraints:number_sentences"], "prompt": "Can you provide me with the timetable for the next train to London? Please respond in less than 6 sentences.", "kwargs": [{"relation": "less than", "num_sentences": 6}]} -{"key": 2785, "instruction_id_list": ["detectable_format:number_highlighted_sections", "detectable_content:number_placeholders"], "prompt": "What is inside Shinto shrines? Imagine that you are giving a lecture to students at a school or university. Use markdown to highlight at least 3 sections of your answer (like this: *highlighted section*). Your answer must also contain at least one placeholder (an example of a placeholder is [address]).", "kwargs": [{"num_highlights": 3}, {"num_placeholders": 3}]} -{"key": 2787, "instruction_id_list": ["keywords:letter_frequency", "length_constraints:number_sentences"], "prompt": "What are the steps to get the GNSS timestamp on Android? Explain this to teenagers using at least 4 sentences and make sure the letter n appears at least 3 times.", "kwargs": [{"let_relation": "at least", "letter": "n", "let_frequency": 3}, {"relation": "at least", "num_sentences": 4}]} -{"key": 279, "instruction_id_list": ["change_case:english_lowercase", "keywords:letter_frequency", "detectable_format:title"], "prompt": "write a haiku about ireland in the style of basho. include a title wrapped in double angular brackets, i.e. <<title>>. your entire response should be in lowercase english and contain the letter g at least 8 times.", "kwargs": [{}, {"let_relation": "at least", "letter": "g", "let_frequency": 8}, {}]} -{"key": 2790, "instruction_id_list": ["detectable_format:number_highlighted_sections"], "prompt": "Write a funny rap about a man who gets a call from an official saying that he is a long lost relative of the king of Nigeria. Use markdown to highlight at least one section of your answer, i.e. *highlighted section*.", "kwargs": [{"num_highlights": 1}]} -{"key": 2798, "instruction_id_list": ["punctuation:no_comma"], "prompt": "Write a list of the top 10 facts about the UK without using commas.", "kwargs": [{}]} -{"key": 2801, "instruction_id_list": ["detectable_format:number_bullet_lists"], "prompt": "Rewrite the following blog as a list of exactly 4 bullet points: \"The world is a beautiful place. The sun is shining, the birds are singing, and the flowers are blooming. It's a perfect day to go outside and enjoy all that nature has to offer.\" The bullet points should be in markdown such as:\n* Bullet point 1\n* Bullet point 2", "kwargs": [{"num_bullets": 4}]} -{"key": 2807, "instruction_id_list": ["detectable_format:title"], "prompt": "Write a weird ad for a copyright infringement lawyer who represents witches. Use only lowercase letters. Your answer must contain a title, wrapped in double angular brackets, i.e. <<title>>.", "kwargs": [{}]} -{"key": 281, "instruction_id_list": ["startend:quotation"], "prompt": "Write a joke about xml with a setup and a punchline. Wrap your entire response in double quotation marks.", "kwargs": [{}]} -{"key": 2811, "instruction_id_list": ["keywords:forbidden_words"], "prompt": "Can you write a rap resume for a mason that doesn't include the keywords \"collects\" and \"rbis\"?", "kwargs": [{"forbidden_words": ["collects", "rbis"]}]} -{"key": 2817, "instruction_id_list": ["change_case:english_lowercase"], "prompt": "Write a startup pitch for \"Ward and Guerre\". Make it a weird poem that explains why the pitch is good. It should be in English and have no capital letters.", "kwargs": [{}]} -{"key": 2820, "instruction_id_list": ["change_case:capital_word_frequency"], "prompt": "Write a serious riddle about trips and stitches in a poem style that includes at least 13 words in all capital letters.", "kwargs": [{"capital_relation": "at least", "capital_frequency": 13}]} -{"key": 2825, "instruction_id_list": ["punctuation:no_comma"], "prompt": "How can you get to know someone on a deep level in a romantic relationship? The answer should involve the topic of vulnerability. Do not use any commas in your response.", "kwargs": [{}]} -{"key": 2828, "instruction_id_list": ["keywords:forbidden_words"], "prompt": "Write a parody of 'ars poetica'. Do not include the words 'consolation' and 'radius' in the poem.", "kwargs": [{"forbidden_words": ["consolation", "radius"]}]} -{"key": 2829, "instruction_id_list": ["startend:quotation"], "prompt": "Why did the man travel from Saskatoon to Helsinki to buy a piano? Wrap your entire response in double quotes.", "kwargs": [{}]} -{"key": 2832, "instruction_id_list": ["detectable_format:number_bullet_lists"], "prompt": "Imagine you're a 19 year old and you're making a video game. The game is about a boy who has to save the world from a villain. Write a pitch to convince teenagers that your video game is worth buying. Your answer must include exactly one bullet point in markdown format.", "kwargs": [{"num_bullets": 1}]} -{"key": 2844, "instruction_id_list": ["detectable_format:number_highlighted_sections"], "prompt": "For a bunch of students, write a 200 word poem that professionally describes a new line of shoes. Make sure to use markdown to highlight at least one section of the poem.", "kwargs": [{"num_highlights": 1}]} -{"key": 2849, "instruction_id_list": ["change_case:capital_word_frequency"], "prompt": "Write a limerick about a guy from Nantucket, use notations to express it, and use at least 2 words with all capital letters.", "kwargs": [{"capital_relation": "at least", "capital_frequency": 2}]} -{"key": 2853, "instruction_id_list": ["change_case:capital_word_frequency", "detectable_format:title"], "prompt": "Write a poem about flooding in Donnell, TX. The poem should have a title in double angular brackets, i.e. <<title>>, and contains at least 3 words in all capital letters.", "kwargs": [{"capital_relation": "at least", "capital_frequency": 3}, {}]} -{"key": 2857, "instruction_id_list": ["detectable_format:json_format"], "prompt": "Write a rubric for performance review of a software engineer and wrap the entire output in JSON format. You can use markdown ticks such as ```.", "kwargs": [{}]} -{"key": 2859, "instruction_id_list": ["length_constraints:number_sentences"], "prompt": "Kindly summarize the passage below in XML format. Make sure the summary contains less than 19 sentences.", "kwargs": [{"relation": "less than", "num_sentences": 19}]} -{"key": 286, "instruction_id_list": ["startend:end_checker", "length_constraints:number_sentences"], "prompt": "The hull of a ship is severely damaged in a storm. The ship has craters and some of its outer shell has been peeled off. How can I repair the hull? End your response with: Any other questions? Please provide less than a total of 10 sentences in your answer.", "kwargs": [{"end_phrase": "Any other questions?"}, {"relation": "less than", "num_sentences": 10}]} -{"key": 2870, "instruction_id_list": ["change_case:capital_word_frequency"], "prompt": "Write a rubric for teenagers on how to review a book. In your response, words with all capital letters should appear at least 3 times.", "kwargs": [{"capital_relation": "at least", "capital_frequency": 3}]} -{"key": 2871, "instruction_id_list": ["keywords:frequency"], "prompt": "Write a poem about the history of reductions in the context of the church. Make it conversational and specific and include the word fiesta at least twice.", "kwargs": [{"relation": "at least", "keyword": "fiesta", "frequency": 2}]} -{"key": 288, "instruction_id_list": ["combination:repeat_prompt"], "prompt": "Is ballistics (the study of the motion of projectiles) an actual science?\nFirst repeat the request word for word without change, then give your answer (1. do not say any words or characters before repeating the request; 2. the request you need to repeat does not include this sentence)", "kwargs": [{}]} -{"key": 2880, "instruction_id_list": ["length_constraints:nth_paragraph_first_word"], "prompt": "What's different between \"the set of all sets that are not members of themselves\" and \"the set of all sets\"? Use mathematical notations in your answer. Be chatty while explaining. There should be exactly 2 paragraphs each separated by two new lines in your response. Paragraph 1 must start with the word booster.", "kwargs": [{"first_word": "booster", "num_paragraphs": 2, "nth_paragraph": 1}]} -{"key": 2887, "instruction_id_list": ["detectable_format:title", "keywords:letter_frequency"], "prompt": "Write a brief about limping in ASEAN countries. Your answer must contain a title, wrapped in double angular brackets, such as <<poem of joy>>. Make sure the letter m appears at least 5 times.", "kwargs": [{}, {"let_relation": "at least", "letter": "m", "let_frequency": 5}]} -{"key": 2889, "instruction_id_list": ["startend:quotation", "detectable_format:multiple_sections"], "prompt": "We're attempting to contact Stephane to get a reversal from him, but he is not responding to us. Could you write this in a way that would seem more polite to moms? Please use the key \"polite\" to put your answer. Wrap your entire response with double quotation marks, and include two sections: \"SECTION 1\" and \"SECTION 2\".", "kwargs": [{}, {"section_spliter": "SECTION", "num_sections": 2}]} -{"key": 2904, "instruction_id_list": ["combination:repeat_prompt"], "prompt": "Write a 500 word story in a poem style about a young girl who is obsessed with her Nintendo DS.\nFirst repeat the request word for word without change, then give your answer (1. do not say any words or characters before repeating the request; 2. the request you need to repeat does not include this sentence)", "kwargs": [{}]} -{"key": 2905, "instruction_id_list": ["detectable_format:number_highlighted_sections"], "prompt": "Rewrite the following riddle in a funny tone: \\nWhat can you catch but not throw?\\nA cold\\nHighlight at least 2 sections in your answer in markdown format.", "kwargs": [{"num_highlights": 2}]} -{"key": 2908, "instruction_id_list": ["detectable_content:postscript", "change_case:english_capital"], "prompt": "What are the components that make a successful person? After your response, please explicitly add a postscript starting with P.P.S Your entire response should be in English and in all capital letters.", "kwargs": [{"postscript_marker": "P.P.S"}, {}]} -{"key": 2909, "instruction_id_list": ["detectable_format:number_highlighted_sections"], "prompt": "Could you elaborate on the sentence \"A gymnast is in the air, performing a stunt.\"? Please highlight at least 2 sections in your answer with markdown, i.e. *highlighted section*.", "kwargs": [{"num_highlights": 2}]} -{"key": 2912, "instruction_id_list": ["combination:two_responses"], "prompt": "Create a dialogue between two people who are both trying to avoid using the letter t. Given exactly two different responses that should be separated by 6 asterisk symbols: ******.", "kwargs": [{}]} -{"key": 2918, "instruction_id_list": ["combination:two_responses"], "prompt": "Write a rubric in markdown table format for rating how good a teenager's essay is. Give exactly two different responses. Responses should be separated by 6 asterisk symbols (******).", "kwargs": [{}]} -{"key": 292, "instruction_id_list": ["length_constraints:number_sentences"], "prompt": "Write a funny email to your friend about the ingredients of a good life that contains at least 5 sentences.", "kwargs": [{"relation": "at least", "num_sentences": 5}]} -{"key": 2921, "instruction_id_list": ["length_constraints:number_paragraphs"], "prompt": "If a = 10, b = 30, and c = 20, what is the value of (a + b) / c? Give me the answer in exactly two paragraphs, separated with the markdown divider: ***", "kwargs": [{"num_paragraphs": 2}]} -{"key": 2925, "instruction_id_list": ["detectable_format:multiple_sections"], "prompt": "Write a joke about anarchists in Tulsa in 3 sections. Mark the beginning of each section with SECTION X.", "kwargs": [{"section_spliter": "SECTION", "num_sections": 3}]} -{"key": 2929, "instruction_id_list": ["detectable_content:postscript"], "prompt": "Write a text ad for an adult website that is not pornographic, and at the end of your response, add a postscript starting with P.S.", "kwargs": [{"postscript_marker": "P.S."}]} -{"key": 2941, "instruction_id_list": ["length_constraints:number_paragraphs"], "prompt": "Write a funny poem for kids about a product that you would like to sell. The poem should be exactly 2 paragraphs long and paragraphs should be separated with the markdown divider: ***", "kwargs": [{"num_paragraphs": 2}]} -{"key": 2943, "instruction_id_list": ["keywords:frequency", "change_case:english_lowercase", "length_constraints:number_paragraphs"], "prompt": "Darth Vader is angry with you, his server, because you assassinated a Jedi. Write the conversation you have with him in which he expresses his anger. In your response, use the word might at least 2 times and use all lowercase letters. Make sure to have exactly two paragraphs separated in markdown: ***", "kwargs": [{"relation": "at least", "keyword": "might", "frequency": 2}, {}, {"num_paragraphs": 2}]} -{"key": 295, "instruction_id_list": ["detectable_format:title"], "prompt": "Write me a letter in the style of Shakespeare about the mandates and instructions of the King. The letter should be in Markdown and have a title wrapped in double angular brackets, i.e. <<title>>.", "kwargs": [{}]} -{"key": 2957, "instruction_id_list": ["keywords:forbidden_words"], "prompt": "Rewrite the limerick in a strange way, following the template There once was a man from [PLACE] who had a daughter named, [NAME] He kept all his cash in a [CONTAINER] [NAME] stole it and ran away with a man And as for the [CONTAINER], [PLACE]", "kwargs": [{"forbidden_words": ["nursery", "storytelling"]}]} -{"key": 296, "instruction_id_list": ["keywords:frequency", "change_case:english_lowercase", "length_constraints:number_words"], "prompt": "Write an elaborate compliment to Kruger in all lowercase letters and no capital letters. The word hughes should appear less than 2 times. Your response should be at least 191 words.", "kwargs": [{"relation": "less than", "keyword": "hughes", "frequency": 2}, {}, {"relation": "at least", "num_words": 191}]} -{"key": 2969, "instruction_id_list": ["detectable_format:title"], "prompt": "Write a copy for an ad selling a sloop. It's a small sailboat with one mast that's easy to sail and understand. Part of your answer should be in a table format and it must contain a title, wrapped in double angular brackets, such as <<poem of joy>>.", "kwargs": [{}]} -{"key": 2977, "instruction_id_list": ["length_constraints:number_paragraphs"], "prompt": "Give an advice to teenagers who are struggling with their identity. There should be exactly 2 paragraphs separated with the markdown divider: ***", "kwargs": [{"num_paragraphs": 2}]} -{"key": 2985, "instruction_id_list": ["startend:quotation"], "prompt": "Why do you think Google engineers stay at Google more often than moving to Microsoft? Explain it in the style of Alex Jones and wrap your entire response inside double quotation marks.", "kwargs": [{}]} -{"key": 2997, "instruction_id_list": ["keywords:frequency"], "prompt": "You feel strongly about a local issue that involves the environment, pollution, and climate change. Write a template for a letter to the editor of a newspaper. Use the word para at least once.", "kwargs": [{"relation": "at least", "keyword": "para", "frequency": 1}]} -{"key": 30, "instruction_id_list": ["startend:quotation"], "prompt": "What are the common signs and symptoms of abdominal and pelvic dissemination of ovarian cancer? Please answer in lower case letters. The answer should be 100 words long and be wrapped with double quotation marks.", "kwargs": [{}]} -{"key": 3001, "instruction_id_list": ["startend:end_checker"], "prompt": "Please provide a short, funny list of ways to pass time at work. End with the exact phrase Is there anything else I can help with?", "kwargs": [{"end_phrase": "Is there anything else I can help with?"}]} -{"key": 301, "instruction_id_list": ["keywords:forbidden_words"], "prompt": "Explain to me how to ride a bike like I am a kid. Also, do not include the keywords \"convection\" and \"draw\".", "kwargs": [{"forbidden_words": ["convection", "draw"]}]} -{"key": 3025, "instruction_id_list": ["detectable_format:number_bullet_lists"], "prompt": "Can you tell me why there are oval race tracks in the desert? Please rewrite the answer to make it more concise and include the word \"desert\" in the answer. Make sure the answer contains exactly 3 bullet points in markdown format.", "kwargs": [{"num_bullets": 3}]} -{"key": 3035, "instruction_id_list": ["detectable_content:number_placeholders", "change_case:english_lowercase"], "prompt": "Write a JSON schema for a beta cruiser that includes at least one placeholder represented by square brackets. The response must be in English and all lowercase letters.", "kwargs": [{"num_placeholders": 1}, {}]} -{"key": 3041, "instruction_id_list": ["length_constraints:number_sentences", "detectable_format:number_bullet_lists"], "prompt": "Write a creative and persuasive startup pitch for a business that helps people with chronic illnesses find and manage in-home care. Your pitch should be less than 7 sentences and contain exactly 1 bullet point in markdown.", "kwargs": [{"relation": "less than", "num_sentences": 7}, {"num_bullets": 1}]} -{"key": 3048, "instruction_id_list": ["startend:end_checker"], "prompt": "Write a poem about the top 20 tallest buildings in the world and their heights. End your response with the exact question: Is there anything else I can help with?", "kwargs": [{"end_phrase": "Is there anything else I can help with?"}]} -{"key": 3057, "instruction_id_list": ["detectable_format:title"], "prompt": "Please write a riddle about the inverse function with a title wrapped in double angular brackets, i.e. <<title>>.", "kwargs": [{}]} -{"key": 3063, "instruction_id_list": ["length_constraints:number_paragraphs", "language:response_language"], "prompt": "Give a short proof of Richards' theorem in category theory by using diagram notations. There should be exactly 3 paragraphs and they should be separated with the markdown divider: *** Make sure your ENTIRE response is in only the Marathi language, no other languages allowed.", "kwargs": [{"num_paragraphs": 3}, {"language": "mr"}]} -{"key": 3069, "instruction_id_list": ["detectable_format:number_bullet_lists", "change_case:english_lowercase", "detectable_content:postscript"], "prompt": "Can you create an itinerary for a 5 day trip to switzerland that includes exactly 3 bullet points in markdown format, in all lowercase letters, and a postscript at the end starting with P.S.?", "kwargs": [{"num_bullets": 3}, {}, {"postscript_marker": "P.S."}]} -{"key": 3071, "instruction_id_list": ["detectable_format:number_highlighted_sections"], "prompt": "Write a rap about the renaissance. It should be noticeably different from raps about other historical eras, and have an interesting or weird tone. Highlight at least 3 sections in your answer in markdown format.", "kwargs": [{"num_highlights": 3}]} -{"key": 3073, "instruction_id_list": ["length_constraints:nth_paragraph_first_word"], "prompt": "How are you doing today? Could you write me exactly 4 paragraphs each separated by two new lines? Please start the first paragraph with the word \"firms\".", "kwargs": [{"first_word": "firms", "num_paragraphs": 4, "nth_paragraph": 1}]} -{"key": 3079, "instruction_id_list": ["startend:end_checker"], "prompt": "Write a funny letter to 6th graders at your school in list format. The letter should be about something important to you and you should end your entire response with the phrase \"Is there anything else I can help with?\"", "kwargs": [{"end_phrase": "Is there anything else I can help with?"}]} -{"key": 3081, "instruction_id_list": ["keywords:forbidden_words"], "prompt": "Can you rewrite this story from a fictional newspaper in XML format: \"A man mysteriously died in his house, and police are investigating\"? Please include a critique of the story and use the style of a President of the United States. Do not mention the keywords \"bancroft\" or \"bo\".", "kwargs": [{"forbidden_words": ["bancroft", "bo"]}]} -{"key": 3084, "instruction_id_list": ["punctuation:no_comma"], "prompt": "Write a weird and short haiku about the state of Gujarat in India with a total of 17 syllables. Don't use any commas in your entire response.", "kwargs": [{}]} -{"key": 3089, "instruction_id_list": ["detectable_format:number_highlighted_sections"], "prompt": "Write a story about a cat who lost its family. Make sure to highlight at least one section in markdown format.", "kwargs": [{"num_highlights": 1}]} -{"key": 3091, "instruction_id_list": ["keywords:frequency"], "prompt": "Write a quiz about bits that includes the word elephants at least 2 times.", "kwargs": [{"relation": "at least", "keyword": "elephants", "frequency": 2}]} -{"key": 3098, "instruction_id_list": ["detectable_format:number_bullet_lists", "length_constraints:number_paragraphs", "change_case:capital_word_frequency"], "prompt": "Write a blog post about 'how to improve your writing skills' with exactly 3 bullet points in markdown format, exactly 4 paragraphs separated by the markdown divider: ***, and words with all capital letters appearing at least twice.", "kwargs": [{"num_bullets": 3}, {"num_paragraphs": 4}, {"capital_relation": "at least", "capital_frequency": 2}]} -{"key": 3109, "instruction_id_list": ["keywords:frequency"], "prompt": "Write a riddle about adulthood. Make sure the word cousins appears less than 2 times.", "kwargs": [{"relation": "less than", "keyword": "cousins", "frequency": 2}]} -{"key": 3112, "instruction_id_list": ["language:response_language"], "prompt": "Can you think of a good question to ask during the first time meeting someone? The question should be entirely in Gujarati, no other language is allowed.", "kwargs": [{"language": "gu"}]} -{"key": 3114, "instruction_id_list": ["length_constraints:number_words", "keywords:forbidden_words", "startend:end_checker"], "prompt": "You visited a beach and a park. Which one is more likely to have a dog in it? Write at least 337 words. Do not include the words 'dunedin' or 'jesuit' in your answer. Finish your response with the phrase \"Is there anything else I can help with?\"", "kwargs": [{"relation": "at least", "num_words": 337}, {"forbidden_words": ["dunedin", "jesuit"]}, {"end_phrase": "Is there anything else I can help with?"}]} -{"key": 3126, "instruction_id_list": ["detectable_content:number_placeholders"], "prompt": "Rewrite the article \"How to conduct a job interview\" to be very short and include at least one placeholder, such as [address].", "kwargs": [{"num_placeholders": 1}]} -{"key": 3130, "instruction_id_list": ["language:response_language"], "prompt": "Write an angry letter to Pei Yao using only Hindi, no other language is allowed.", "kwargs": [{"language": "hi"}]} -{"key": 3131, "instruction_id_list": ["detectable_format:title", "detectable_content:postscript"], "prompt": "write a template for a blog post about the echoing biotechnology field in 2023. use all lowercase letters. Your answer must contain a title, wrapped in double angular brackets, such as <<poem of joy>>. add a postscript starting with P.S.", "kwargs": [{}, {"postscript_marker": "P.S."}]} -{"key": 3150, "instruction_id_list": ["change_case:english_lowercase"], "prompt": "What's the difference between a 2-stroke and a 4-stroke motor? Do not provide explanations. Your response must be in English and contain only lowercase letters.", "kwargs": [{}]} -{"key": 3156, "instruction_id_list": ["keywords:existence"], "prompt": "I have been trying to get a refund for a product I bought online, but the company is refusing to return my money. Can you help me write a letter to them? I want the letter to include the words rutgers and trusted.", "kwargs": [{"keywords": ["rutgers", "trusted"]}]} -{"key": 3166, "instruction_id_list": ["keywords:frequency"], "prompt": "What are the steps to be followed for the documentation of a GM in SAP? Your response should not include the word illuminated.", "kwargs": [{"relation": "less than", "keyword": "illuminated", "frequency": 1}]} -{"key": 3186, "instruction_id_list": ["change_case:english_capital"], "prompt": "Write a poem about how intra-team conflict affected a specific team. Write your response in English, using all capital letters.", "kwargs": [{}]} -{"key": 3188, "instruction_id_list": ["change_case:capital_word_frequency", "keywords:frequency", "detectable_format:number_highlighted_sections"], "prompt": "Pretend that you are a fortune teller who has just been arrested and is being interrogated by the police. Follow these writing constraints: 1) Words with all capital letters should appear less than 4 times. 2) The word topic should appear less than 1 times. 3) Highlight at least 1 sections in your answer with markdown, i.e. *highlighted section*.", "kwargs": [{"capital_relation": "less than", "capital_frequency": 4}, {"relation": "less than", "keyword": "topic", "frequency": 1}, {"num_highlights": 1}]} -{"key": 3191, "instruction_id_list": ["language:response_language"], "prompt": "Could you give me 3 possible elaborations in only the Telugu language, no other language is allowed, for the text \"We are a team of creators\"? Please explain why you chose each of them. Make sure your explanations are also in the Telugu language.", "kwargs": [{"language": "te"}]} -{"key": 3195, "instruction_id_list": ["keywords:letter_frequency", "punctuation:no_comma", "language:response_language"], "prompt": "Write a haiku about a yacht using only the Italian language, no other language is allowed. Make sure the letter n appears at least twice and avoid using commas.", "kwargs": [{"let_relation": "at least", "letter": "n", "let_frequency": 2}, {}, {"language": "it"}]} -{"key": 3198, "instruction_id_list": ["startend:end_checker"], "prompt": "Write a cover letter for a job and end with this phrase \"Is there anything else I can help with?\". No other words should follow that phrase.", "kwargs": [{"end_phrase": "Is there anything else I can help with?"}]} -{"key": 32, "instruction_id_list": ["punctuation:no_comma"], "prompt": "Write a limerick about behavioral economics and the Barnsley football team. Make sure to mention Dan Ariely, and don't use any commas.", "kwargs": [{}]} -{"key": 3203, "instruction_id_list": ["startend:end_checker"], "prompt": "Write a blog post for the canucks hockey team about why they need to be more mindful about their environments. End the blog post by asking \"Any other questions?\". No other words should follow this phrase.", "kwargs": [{"end_phrase": "Any other questions?"}]} -{"key": 3204, "instruction_id_list": ["punctuation:no_comma", "change_case:english_capital"], "prompt": "Write an essay about the reasons why slavery was abolished in the United States as if you are the president of the United States. Do not use any commas in your response. Your response should be in English, and in all capital letters.", "kwargs": [{}, {}]} -{"key": 321, "instruction_id_list": ["detectable_format:json_format"], "prompt": "Write a startup pitch on a new app called Tipperary that helps people to overcome obstacles in their lives. Can you please wrap your entire output in JSON format?", "kwargs": [{}]} -{"key": 322, "instruction_id_list": ["combination:two_responses"], "prompt": "Who is joe biden's national security advisor? Provide exactly two different responses. Responses should be separated by 6 asterisk symbols (******).", "kwargs": [{}]} -{"key": 3221, "instruction_id_list": ["detectable_content:number_placeholders"], "prompt": "Plan a 2 week Europe trip and visit London, Paris, and Rome. Answer in all caps. The response must contain at least one placeholder (i.e., [address]).", "kwargs": [{"num_placeholders": 1}]} -{"key": 3223, "instruction_id_list": ["detectable_format:json_format"], "prompt": "What do you know about Lionel Messi? Format your answer in JSON.", "kwargs": [{}]} -{"key": 3224, "instruction_id_list": ["combination:repeat_prompt"], "prompt": "Write an interesting riddle that uses math notation.\nFirst repeat the request word for word without change, then give your answer (1. do not say any words or characters before repeating the request; 2. the request you need to repeat does not include this sentence)", "kwargs": [{}]} -{"key": 3241, "instruction_id_list": ["language:response_language"], "prompt": "Rewrite the following sentence in Arabic: \"The company is looking to expand its operations into new markets.\" Outside of Arabic, no other language is allowed in your response.", "kwargs": [{"language": "ar"}]} -{"key": 3243, "instruction_id_list": ["detectable_format:number_highlighted_sections", "length_constraints:number_words"], "prompt": "Write a funny, 143+ word ad for an attorney who helps poor people with their divorces. Highlight at least 3 sections with markdown (i.e. *highlighted section*).", "kwargs": [{"num_highlights": 3}, {"relation": "at least", "num_words": 143}]} -{"key": 3245, "instruction_id_list": ["punctuation:no_comma", "detectable_content:number_placeholders"], "prompt": "Can you translate \"Layton is the best city in the world?\" to Tamil? Your translation must not contain any commas and must have at least 1 placeholder, such as [address].", "kwargs": [{}, {"num_placeholders": 1}]} -{"key": 3256, "instruction_id_list": ["length_constraints:number_sentences", "detectable_format:title", "punctuation:no_comma"], "prompt": "Write a poem about a curious cat. The poem must have a title wrapped in double angula brackets, i.e. <<title>>, contain less than 13 sentences, and no commas.", "kwargs": [{"relation": "less than", "num_sentences": 13}, {}, {}]} -{"key": 3263, "instruction_id_list": ["combination:two_responses"], "prompt": "Is \"jiang\" a Chinese name? Give exactly two different responses separated by 6 asterisk symbols ******", "kwargs": [{}]} -{"key": 3272, "instruction_id_list": ["combination:repeat_prompt"], "prompt": "Name a new type of tonic.\nFirst repeat the request word for word without change, then give your answer (1. do not say any words or characters before repeating the request; 2. the request you need to repeat does not include this sentence)", "kwargs": [{}]} -{"key": 3276, "instruction_id_list": ["change_case:english_capital"], "prompt": "Does the sentence \"He hurried through the archaic rooms of the museum.\" make sense to professionals in the museum field? Answer in all capital letters.", "kwargs": [{}]} -{"key": 3280, "instruction_id_list": ["detectable_content:number_placeholders"], "prompt": "What's the difference between the ICC and Albania? Your response must contain at least two placeholders which should be represented by square brackets like [address].", "kwargs": [{"num_placeholders": 2}]} -{"key": 3281, "instruction_id_list": ["combination:two_responses", "punctuation:no_comma"], "prompt": "Write a weird cover letter. Provide exactly two different cover letters and separate them with six asterisk symbols. Also, refrain from using commas in your response.", "kwargs": [{}, {}]} -{"key": 3287, "instruction_id_list": ["combination:two_responses"], "prompt": "Write a poem about the joy of having dyed hair. Give me exactly two different poems and separate them with 6 asterisk symbols ******.", "kwargs": [{}]} -{"key": 3294, "instruction_id_list": ["startend:quotation"], "prompt": "This is an effort to bring together the different prototypes and marquettes that were developed to date. Can you rewrite it in a weird style and wrap your entire response with double quotes?", "kwargs": [{}]} -{"key": 3305, "instruction_id_list": ["language:response_language", "combination:repeat_prompt"], "prompt": "Write an essay about how the current economic crisis is affecting the environment. In your essay, include the keywords: \"climate change\", \"energy conservation\", and \"green technology\". Make sure your entire response is in English, no other language is allowed.\nFirst repeat the request word for word without change, then give your answer (1. do not say any words or characters before repeating the request; 2. the request you need to repeat does not include this sentence)", "kwargs": [{"language": "en"}, {}]} -{"key": 331, "instruction_id_list": ["change_case:capital_word_frequency", "punctuation:no_comma"], "prompt": "Write a song about a man who rents a room in a house with a bunch of other people. Your song should contain at least 19 words in all capital letters and no commas.", "kwargs": [{"capital_relation": "at least", "capital_frequency": 19}, {}]} -{"key": 3311, "instruction_id_list": ["change_case:english_capital"], "prompt": "What is an SRE? Use only English in your response and write everything in capital letters.", "kwargs": [{}]} -{"key": 3315, "instruction_id_list": ["length_constraints:number_paragraphs"], "prompt": "Students are travelling to UCI for 3 days. Create a hilarious itinerary for them. The itinerary should have exactly 4 paragraphs. Separate paragraphs with the markdown divider: ***", "kwargs": [{"num_paragraphs": 4}]} -{"key": 332, "instruction_id_list": ["combination:repeat_prompt"], "prompt": "TLDR the article \"How to dress like a football manager: Gareth Southgate's waistcoat and the style lessons from the Premier League\".\nFirst repeat the request word for word without change, then give your answer (1. do not say any words or characters before repeating the request; 2. the request you need to repeat does not include this sentence)", "kwargs": [{}]} -{"key": 3323, "instruction_id_list": ["punctuation:no_comma"], "prompt": "Rewrite the sentence \"A bust of a man with a beard and mustache.\" in a more sophisticated way. Do not use commas in your response.", "kwargs": [{}]} -{"key": 3324, "instruction_id_list": ["combination:two_responses"], "prompt": "Write an itinerary for a 7 day trip to Hawaii, designed for college students. Give exactly two different responses. Separate each response with 6 asterisk symbols (******).", "kwargs": [{}]} -{"key": 3326, "instruction_id_list": ["keywords:letter_frequency", "keywords:frequency"], "prompt": "Write an essay about the importance of education in rap form. Make sure the letter t appears at least 6 times and the word softly doesn't appear at all.", "kwargs": [{"let_relation": "at least", "letter": "t", "let_frequency": 6}, {"relation": "less than", "keyword": "softly", "frequency": 1}]} -{"key": 3327, "instruction_id_list": ["keywords:frequency"], "prompt": "Write an essay about a snowfall, but in the style of Alex Jones and include the line \"dammit\". The word 1540 should not appear more than once in your response.", "kwargs": [{"relation": "less than", "keyword": "1540", "frequency": 2}]} -{"key": 3329, "instruction_id_list": ["length_constraints:number_sentences"], "prompt": "Hey! I wrote a rubric for evaluating the performance of a laptop. Can you read through it and give me some feedback? I'd like your response to be at least 15 sentences long.", "kwargs": [{"relation": "at least", "num_sentences": 15}]} -{"key": 3335, "instruction_id_list": ["combination:two_responses", "language:response_language", "punctuation:no_comma"], "prompt": "Hi, I'm looking for information about the movie \"The Notebook\" in Tamil and I want to reach moms. Provide exactly two different responses, separated by 6 asterisk symbols (******). Your entire response should be entirely in Tamil, no other language is allowed, and should not contain any commas. ", "kwargs": [{}, {"language": "ta"}, {}]} -{"key": 334, "instruction_id_list": ["startend:quotation"], "prompt": "Write a resume for a customer service representative position at a large company and wrap your entire response with double quotation marks.", "kwargs": [{}]} -{"key": 3345, "instruction_id_list": ["keywords:frequency", "detectable_format:number_bullet_lists", "keywords:forbidden_words"], "prompt": "I want a weird poem that I can send to my friend Steve in Australia. It should be about why there are no kangaroo invasions in the US. The word robber should not appear, and the poem must contain exactly one bullet point in markdown format. Do not include keywords ['logic', 'ulysses'] in the response.", "kwargs": [{"relation": "less than", "keyword": "robber", "frequency": 1}, {"num_bullets": 1}, {"forbidden_words": ["logic", "ulysses"]}]} -{"key": 3350, "instruction_id_list": ["punctuation:no_comma", "detectable_content:number_placeholders"], "prompt": "I need to write a research proposal for a project on the effects of social media on the mental health of teenagers. Please don't use any commas in your response and include at least one placeholder represented by square brackets, such as [address].", "kwargs": [{}, {"num_placeholders": 1}]} -{"key": 3351, "instruction_id_list": ["length_constraints:number_paragraphs", "detectable_format:number_highlighted_sections"], "prompt": "Here is a social media post: \"My daughter graduated from college today! So proud of her!\" Can you improve it? Please make sure to expand it into exactly four paragraphs. Separate paragraphs with the markdown divider: ***. Additionally, highlight at least 3 sections in your answer with markdown, i.e. *highlighted section*.", "kwargs": [{"num_paragraphs": 4}, {"num_highlights": 3}]} -{"key": 3362, "instruction_id_list": ["length_constraints:number_sentences"], "prompt": "Critique the ad copy \"Get 40 miles per gallon on the highway\" in the form of a question with a weird style. Your response should contain less than 18 sentences.", "kwargs": [{"relation": "less than", "num_sentences": 18}]} -{"key": 3367, "instruction_id_list": ["startend:quotation"], "prompt": "Write two advertisements for a new product that is a healthy alternative to soda. One advertisement should be targeted to teenagers and the other should be targeted to professionals. Double quotes should be placed around your entire response.", "kwargs": [{}]} -{"key": 3369, "instruction_id_list": ["combination:repeat_prompt"], "prompt": "Write a limerick about a customer who is always right.\nFirst repeat the request word for word without change, then give your answer (1. do not say any words or characters before repeating the request; 2. the request you need to repeat does not include this sentence)", "kwargs": [{}]} -{"key": 337, "instruction_id_list": ["length_constraints:number_words", "detectable_format:title"], "prompt": "Write a riddle about a house that is not a house. Also include the answer. Your response must be at least 336 words and have a title wrapped in double angular brackets, like <<poem of joy>>.", "kwargs": [{"relation": "at least", "num_words": 336}, {}]} -{"key": 3371, "instruction_id_list": ["combination:repeat_prompt"], "prompt": "Is the following true? \"People use money to buy food.\" Explain your answer in a way that makes it easy for kids to understand.\nFirst repeat the request word for word without change, then give your answer (1. do not say any words or characters before repeating the request; 2. the request you need to repeat does not include this sentence)", "kwargs": [{}]} -{"key": 3376, "instruction_id_list": ["keywords:existence", "punctuation:no_comma"], "prompt": "Write a riddle about embroidery that has the answer \"needle\". Include keywords ['afternoon', 'distressed'] in the response. Don't use any commas in your answer.", "kwargs": [{"keywords": ["afternoon", "distressed"]}, {}]} -{"key": 3380, "instruction_id_list": ["change_case:english_lowercase"], "prompt": "create a schema for a clifford blu employee. use only lowercase letters.", "kwargs": [{}]} -{"key": 3386, "instruction_id_list": ["keywords:forbidden_words"], "prompt": "Jennifer goes to the store to buy milk. She has 10 dollars in her pocket and milk costs 3 dollars per gallon. How many gallons of milk can she buy? Explain your thinking, and be angry about it. Avoid the keywords: 'nineteen', 'robotic'.", "kwargs": [{"forbidden_words": ["nineteen", "robotic"]}]} -{"key": 340, "instruction_id_list": ["detectable_format:number_highlighted_sections"], "prompt": "Can you explain to me why there is so much fraud in the world? Please include one highlighted section in markdown in your answer, i.e *highlighted answer*.", "kwargs": [{"num_highlights": 1}]} -{"key": 3401, "instruction_id_list": ["keywords:forbidden_words"], "prompt": "Can you give me a zany, bullet point TLDR of this article: https://www.nytimes.com/2023/01/04/us/politics/kevin-mccarthy-house-speaker-vote-republicans.html. Make it zany, but do not include the keywords [conform, pg] in the response.", "kwargs": [{"forbidden_words": ["conform", "pg"]}]} -{"key": 3407, "instruction_id_list": ["change_case:capital_word_frequency"], "prompt": "Write a 100 word riddle that leaves the reader satisfied and enlightened, with less than 14 words in all capital letters.", "kwargs": [{"capital_relation": "less than", "capital_frequency": 14}]} -{"key": 3409, "instruction_id_list": ["startend:quotation", "detectable_format:number_highlighted_sections"], "prompt": "Can you write me a resume? I would like it in list form. Please wrap your entire response with double quotation marks. Also, highlight at least two sections in your answer in markdown format.", "kwargs": [{}, {"num_highlights": 2}]} -{"key": 3414, "instruction_id_list": ["change_case:capital_word_frequency"], "prompt": "Can you elaborate on \"I froze when I was jogging\"? Please use less than 16 words with all capital letters.", "kwargs": [{"capital_relation": "less than", "capital_frequency": 16}]} -{"key": 3415, "instruction_id_list": ["length_constraints:number_words", "keywords:frequency"], "prompt": "Write a template for a newspaper ad for a dog cage with less than 230 words. Make sure the word unfortunately appears less than two times in the ad.", "kwargs": [{"relation": "less than", "num_words": 230}, {"relation": "less than", "keyword": "unfortunately", "frequency": 2}]} -{"key": 3424, "instruction_id_list": ["change_case:english_capital"], "prompt": "Write a story about a family that goes camping in the woods. Your entire response should be in English and in all capital letters.", "kwargs": [{}]} -{"key": 3425, "instruction_id_list": ["length_constraints:number_words"], "prompt": "Write a 400-500 word essay on the differences between Sunni and Shi'a Muslims. Part of your answer should be in bullet points.", "kwargs": [{"relation": "at least", "num_words": 397}]} -{"key": 3428, "instruction_id_list": ["keywords:letter_frequency"], "prompt": "Write a sentence that includes the words \"trent\" and \"faso\" in a style that is appropriate for a president of the united states. The sentence should contain the letter q at least 6 times.", "kwargs": [{"let_relation": "at least", "letter": "q", "let_frequency": 6}]} -{"key": 3429, "instruction_id_list": ["detectable_format:multiple_sections", "length_constraints:number_sentences"], "prompt": "Write a story about a man who is in love with a woman who has turrets. The story should be in at least 1 section with seach section starting with Section X and the entire response should have at least 10 sentences.", "kwargs": [{"section_spliter": "Section", "num_sections": 1}, {"relation": "at least", "num_sentences": 10}]} -{"key": 343, "instruction_id_list": ["length_constraints:number_words"], "prompt": "Give me a 355+ word startup pitch for a company that provides a service that creates trusts for people online. This pitch should have a weird style.", "kwargs": [{"relation": "at least", "num_words": 355}]} -{"key": 3434, "instruction_id_list": ["change_case:english_lowercase", "length_constraints:nth_paragraph_first_word"], "prompt": "Write an essay on first names in English and all lowercase letters. There should be exactly 3 paragraphs with the only paragraph separation being two new lines. Start Paragraph 2 with the word Jasper.", "kwargs": [{}, {"first_word": "jasper", "num_paragraphs": 3, "nth_paragraph": 2}]} -{"key": 3439, "instruction_id_list": ["keywords:existence"], "prompt": "Write an HTML page that lists 25 limericks about people named \"Bill\". The page should include keywords ['economist', 'jurgen'] in the text.", "kwargs": [{"keywords": ["economist", "jurgen"]}]} -{"key": 3442, "instruction_id_list": ["length_constraints:number_words", "detectable_format:title"], "prompt": "What is the answer to the riddle that asks what you can catch but not throw, and what you can throw but not catch? The answer must be less than 196 words and contain a title in double angular brackets, i.e. <<title>>.", "kwargs": [{"relation": "less than", "num_words": 196}, {}]} -{"key": 3445, "instruction_id_list": ["keywords:frequency"], "prompt": "Could you please help me find the pros and cons of taking the sword from the grove? I've been looking all day and haven't been able to find any. Please respond in XML format, and don't use the word past.", "kwargs": [{"relation": "less than", "keyword": "past", "frequency": 1}]} -{"key": 3453, "instruction_id_list": ["detectable_format:number_highlighted_sections"], "prompt": "Summarize this BBC article for moms in a TL;DR version with bullet points. Highlight at least one section in markdown format.", "kwargs": [{"num_highlights": 1}]} -{"key": 3455, "instruction_id_list": ["change_case:capital_word_frequency"], "prompt": "Write a persuasive email to a teenager who lives in Aberdeen, Scotland. The main point is to encourage them to volunteer at a local soup kitchen. Use less than 5 words in all capital letters.", "kwargs": [{"capital_relation": "less than", "capital_frequency": 5}]} -{"key": 3456, "instruction_id_list": ["detectable_format:number_highlighted_sections", "change_case:english_capital"], "prompt": "Generate a list of 100 random names. Make sure that no name is repeated and every name is unique. Highlight at least one section of your response in markdown format. Your entire response should be in English and in all capital letters.", "kwargs": [{"num_highlights": 1}, {}]} -{"key": 3478, "instruction_id_list": ["keywords:letter_frequency"], "prompt": "Write a song about Layton, making sure to use the letter \"b\" less than 8 times.", "kwargs": [{"let_relation": "less than", "letter": "b", "let_frequency": 8}]} -{"key": 3479, "instruction_id_list": ["keywords:forbidden_words"], "prompt": "Write a song for the person named 'Guerrero'. Make sure to not include the words 'everton' or 'secretariat'.", "kwargs": [{"forbidden_words": ["everton", "secretariat"]}]} -{"key": 3484, "instruction_id_list": ["punctuation:no_comma", "combination:repeat_prompt"], "prompt": "Write a pitch deck for a startup that aims to make a new social network. Avoid using commas in your response.\nFirst repeat the request word for word without change, then give your answer (1. do not say any words or characters before repeating the request; 2. the request you need to repeat does not include this sentence)", "kwargs": [{}, {}]} -{"key": 349, "instruction_id_list": ["detectable_format:number_highlighted_sections"], "prompt": "I want to start a garden for veggies and flowers in my small backyard. Can you give me some advice on how to be mindful of the amount of water I use and tolerant of the environment? Please highlight at least 3 sections in your answer in markdown format.", "kwargs": [{"num_highlights": 3}]} -{"key": 3494, "instruction_id_list": ["detectable_content:number_placeholders", "language:response_language"], "prompt": "Can you help me make this email more cordial, \"You're making a mistake, and I'm going to show you why.\" Please make your response in only German, no other language is allowed, and include at least 2 placeholders with brackets like this [address].", "kwargs": [{"num_placeholders": 2}, {"language": "de"}]} -{"key": 3502, "instruction_id_list": ["language:response_language", "detectable_format:title"], "prompt": "Explain what happens when you sniff a flower to 3rd grade students only using Finnish. No other language is allowed. Make sure your response contains a title wrapped in double angular brackets, i.e. <<title>>.", "kwargs": [{"language": "fi"}, {}]} -{"key": 3505, "instruction_id_list": ["punctuation:no_comma", "combination:repeat_prompt"], "prompt": "Write a pros and cons list of the new apple product in the style of a 19th century novelist and do not use any commas.\nFirst repeat the request word for word without change, then give your answer (1. do not say any words or characters before repeating the request; 2. the request you need to repeat does not include this sentence)", "kwargs": [{}, {}]} -{"key": 3506, "instruction_id_list": ["detectable_format:json_format", "keywords:forbidden_words"], "prompt": "Write a proposal for a research project that will determine whether pupils who have been exposed to a fast-paced environment are more likely to develop ADHD. Please wrap the entire output in JSON format. You can use markdown ticks like ```. Please do not include the words \"cindy\" or \"garfield\" in the response.", "kwargs": [{}, {"forbidden_words": ["cindy", "garfield"]}]} -{"key": 3513, "instruction_id_list": ["change_case:capital_word_frequency"], "prompt": "Write a resume for a software engineer with 5+ years of experience in the Bay Area, CA. In your response, make sure to include at least 6 words or phrases in all capital letters.", "kwargs": [{"capital_relation": "at least", "capital_frequency": 6}]} -{"key": 3518, "instruction_id_list": ["detectable_format:json_format", "keywords:existence"], "prompt": "Could you please give me the pros and cons of burnett wrapped in JSON format. Please also make sure to include keywords ['compensated', 'immigrants'] in the response.", "kwargs": [{}, {"keywords": ["compensated", "immigrants"]}]} -{"key": 3534, "instruction_id_list": ["change_case:english_lowercase", "length_constraints:number_sentences"], "prompt": "Write a tweet storm with a weird tone about a time when you learned something new. Your response must be in English, with no capital letters, and in less than 8 sentences.", "kwargs": [{}, {"relation": "less than", "num_sentences": 8}]} -{"key": 3536, "instruction_id_list": ["startend:quotation"], "prompt": "Write a song about innovation with a positive tone that is appealing to teenagers. Make the song weird. Put your entire response in double quotation marks.", "kwargs": [{}]} -{"key": 3538, "instruction_id_list": ["keywords:frequency"], "prompt": "Write a social media post for a startup that provides a platform for conducting experiments. Make sure to include the word \"bombs\" at least once.", "kwargs": [{"relation": "at least", "keyword": "bombs", "frequency": 1}]} -{"key": 3540, "instruction_id_list": ["punctuation:no_comma"], "prompt": "critique this startup pitch: Stephenson and Hong Kong will be the first-ever digital marketplace where users can buy and sell products from all over the world Stephenson and Hong Kong will be a onestopshop for all of your shopping needs and we will offer a variety of features that will make shopping online easier and more convenient than ever before. Do not use any commas in your response.", "kwargs": [{}]} -{"key": 3549, "instruction_id_list": ["detectable_format:number_highlighted_sections"], "prompt": "Write a funny Haiku about a Quaker named John who lives in the town of De Smet, South Dakota. Highlight at least 2 sections in your answer in markdown format.", "kwargs": [{"num_highlights": 2}]} -{"key": 3557, "instruction_id_list": ["detectable_format:title"], "prompt": "I need a list of the top 10 attorneys in the US. Your list should have a title wrapped in double angular brackets, such as <<poem of joy>>.", "kwargs": [{}]} -{"key": 3563, "instruction_id_list": ["combination:repeat_prompt"], "prompt": "What's the name of the actor who played Gandalf in Lord of the Rings?\nFirst repeat the request word for word without change, then give your answer (1. do not say any words or characters before repeating the request; 2. the request you need to repeat does not include this sentence)", "kwargs": [{}]} -{"key": 3565, "instruction_id_list": ["combination:repeat_prompt"], "prompt": "What does the word \"jock\" mean to you? Describe it in detail, using notations.\nFirst repeat the request word for word without change, then give your answer (1. do not say any words or characters before repeating the request; 2. the request you need to repeat does not include this sentence)", "kwargs": [{}]} -{"key": 3567, "instruction_id_list": ["language:response_language"], "prompt": "Write a conversational product description for a new book called \"The Secrets of Homeschooling: Revealed!\". The response should be in Urdu only, no other language is allowed.", "kwargs": [{"language": "ur"}]} -{"key": 3569, "instruction_id_list": ["detectable_content:postscript", "detectable_format:number_highlighted_sections", "length_constraints:number_words"], "prompt": "Write a product description for a new pair of shoes that targets teenagers. Add a postscript to the end of your response that starts with P.P.S Highlight at least 2 sections of your response in markdown format. Your response should be at least 350 words.", "kwargs": [{"postscript_marker": "P.P.S"}, {"num_highlights": 2}, {"relation": "at least", "num_words": 350}]} -{"key": 357, "instruction_id_list": ["detectable_format:multiple_sections"], "prompt": "Write a short, funny story about a man named Harry with a pet dog. Your response must contain 3 sections, mark the beginning of each section with SECTION X.", "kwargs": [{"section_spliter": "SECTION", "num_sections": 3}]} -{"key": 3572, "instruction_id_list": ["change_case:english_capital"], "prompt": "Create a name for a company that collects and analyzes public transportation fares. The response should be in English, and in all capital letters.", "kwargs": [{}]} -{"key": 3595, "instruction_id_list": ["keywords:forbidden_words"], "prompt": "Write a 10-line poem about the beauty of a rose. Do not include the keywords adolescent and arises.", "kwargs": [{"forbidden_words": ["adolescent", "arises"]}]} -{"key": 3606, "instruction_id_list": ["detectable_format:title"], "prompt": "Can you tell me if Essen Catering is good enough for moms? Include a title in double angular brackets, i.e. <<title>>.", "kwargs": [{}]} -{"key": 3608, "instruction_id_list": ["keywords:letter_frequency", "change_case:english_lowercase"], "prompt": "Write a cover letter for a job application to a company which perhaps has a bad reputation. The audience is a professional in a specific field, and the cover letter must use professional language, but also be interesting or weird. The letter j should appear at least 9 times. Your entire response should be in English, and lowercase letters. No capital letters are allowed.", "kwargs": [{"let_relation": "at least", "letter": "j", "let_frequency": 9}, {}]} -{"key": 3615, "instruction_id_list": ["punctuation:no_comma"], "prompt": "Write a riddle about Camilla that doesn't use commas.", "kwargs": [{}]} -{"key": 3617, "instruction_id_list": ["change_case:english_capital"], "prompt": "Come up with 3 names for an opaque software company. Make sure your names are in English and all capital letters.", "kwargs": [{}]} -{"key": 3619, "instruction_id_list": ["detectable_content:number_placeholders", "punctuation:no_comma"], "prompt": "Write an XML document describing a social media post about the release of the latest Google Pixel phone. The document must contain at least one placeholder, such as [address], and you must not use commas in your response.", "kwargs": [{"num_placeholders": 1}, {}]} -{"key": 3623, "instruction_id_list": ["startend:quotation", "language:response_language"], "prompt": "Write a short riddle about a lily pad being chopped in half. Wrap your entire response with double quotation marks and make sure everything is in the Thai language, no other language is allowed.", "kwargs": [{}, {"language": "th"}]} -{"key": 3624, "instruction_id_list": ["length_constraints:nth_paragraph_first_word"], "prompt": "Write a poem about Gibbs free energy in the style of POTUS. There should be exactly 4 paragraphs, separated by two new lines. Paragraph 2 must start with the word \"progression\".", "kwargs": [{"first_word": "progression", "num_paragraphs": 4, "nth_paragraph": 2}]} -{"key": 3629, "instruction_id_list": ["detectable_format:number_highlighted_sections"], "prompt": "Today, at the 54th Annual Grammy Awards, the Recording Academy honors the talent and creativity of the artists, musicians, and producers who are the creators of the best recordings of the past year. Please critique this text in a formal tone, using notations, and highlight at least one section in markdown format.", "kwargs": [{"num_highlights": 1}]} -{"key": 3631, "instruction_id_list": ["punctuation:no_comma"], "prompt": "Write a song about how to make a peanut butter and jelly sandwich. Do not use commas in your response.", "kwargs": [{}]} -{"key": 3633, "instruction_id_list": ["combination:repeat_prompt", "punctuation:no_comma"], "prompt": "Write a review of \"Laureates and twins\" for professionals in the field of psychology without the use of commas and make sure to include the phrase \"well worth watching\".\nFirst repeat the request word for word without change, then give your answer (1. do not say any words or characters before repeating the request; 2. the request you need to repeat does not include this sentence)", "kwargs": [{}, {}]} -{"key": 3644, "instruction_id_list": ["detectable_format:number_highlighted_sections"], "prompt": "Write a blog post about the fact that in the Dutch language, there is a word for \"calm\" that is pronounced \"suriname\". Highlight at least 2 sections in your answer with markdown, i.e. *highlighted section*.", "kwargs": [{"num_highlights": 2}]} -{"key": 3653, "instruction_id_list": ["language:response_language"], "prompt": "Write an itinerary for a 10-day trip to Japan using only the Nepali language, no other language is allowed.", "kwargs": [{"language": "ne"}]} -{"key": 3669, "instruction_id_list": ["punctuation:no_comma", "language:response_language"], "prompt": "Write a funny riddle about a man named Joyce who never spoke. Your riddle should be written in Hindi, and you cannot use any commas. Outside of Hindi, no other language is allowed.", "kwargs": [{}, {"language": "hi"}]} -{"key": 3672, "instruction_id_list": ["startend:quotation"], "prompt": "Why is Algiers the best place to go on vacation? Put double quotation marks around your entire response.", "kwargs": [{}]} -{"key": 3680, "instruction_id_list": ["keywords:frequency", "detectable_format:number_highlighted_sections"], "prompt": "Write an essay on wilderness preservation. Make sure that the word knot appears less than 2 times in the essay, and highlight at least 2 sections in markdown format.", "kwargs": [{"relation": "less than", "keyword": "knot", "frequency": 2}, {"num_highlights": 2}]} -{"key": 3682, "instruction_id_list": ["language:response_language"], "prompt": "Give me a summary of the lobbying spending of the following companies: Google, Facebook, Microsoft, Apple, and Amazon. Your response should be in German language, and no other language is allowed.", "kwargs": [{"language": "de"}]} -{"key": 3690, "instruction_id_list": ["detectable_format:title"], "prompt": "Critique the following ad copy for a new dating app, and make sure to include a title wrapped in double angular brackets, i.e. <<title>>: \"Meet your new match! Cohen is a free app that matches you with others based on your interests and location. With Cohen, you can find love, friendship, or just someone to swing with. Download Cohen today and start meeting new people!\"", "kwargs": [{}]} -{"key": 3691, "instruction_id_list": ["length_constraints:number_sentences", "punctuation:no_comma"], "prompt": "Blog post from the perspective of a 16 year old girl who is being followed by a stranger. Your response should contain less than 10 sentences and no commas.", "kwargs": [{"relation": "less than", "num_sentences": 10}, {}]} -{"key": 3697, "instruction_id_list": ["detectable_format:title"], "prompt": "Give me a pitch deck for a startup that lets me send letters to people in my territory that I don't know personally. The title of the pitch deck should be wrapped in double angular brackets, i.e. <<title>>.", "kwargs": [{}]} -{"key": 3703, "instruction_id_list": ["change_case:english_lowercase"], "prompt": "Given the sentence \"The dog barked at the cat, but the cat ignored it because the\". Can you finish the sentence? Make sure that your entire response is in all lowercase letters.", "kwargs": [{}]} -{"key": 3709, "instruction_id_list": ["startend:quotation", "keywords:forbidden_words"], "prompt": "Write an advertisement for a perfume called \"Rhapsody\". It's a perfume with a fresh citrus scent. Wrap your entire response with double quotation marks. Do not include the words enlarged or meadow in the advertisement.", "kwargs": [{}, {"forbidden_words": ["enlarged", "meadow"]}]} -{"key": 371, "instruction_id_list": ["detectable_format:json_format", "keywords:forbidden_words"], "prompt": "Write a riddle that describes the word \"key\" but doesn't use the word \"key\". Wrap your response in JSON format, and don't include the keywords ['flipping', 'guerrillas'].", "kwargs": [{}, {"forbidden_words": ["flipping", "guerrillas"]}]} -{"key": 3710, "instruction_id_list": ["detectable_format:number_highlighted_sections", "detectable_format:title", "detectable_content:postscript"], "prompt": "I need a rap that tells professionals how to get babies to sleep through the night. Your answer must contain a title, wrapped in double angular brackets, such as <<poem of joy>>. Additionally, you need to highlight at least 2 sections with markdown, i.e. *highlighted section*. Finally, at the end of your response, please explicitly add a postscript starting with P.P.S", "kwargs": [{"num_highlights": 2}, {}, {"postscript_marker": "P.P.S"}]} -{"key": 3718, "instruction_id_list": ["detectable_format:title", "combination:repeat_prompt", "punctuation:no_comma"], "prompt": "Create a resume for a military officer who served in Iraq and was later hired by a private military contractor. Make sure to include a title that is wrapped in double angular brackets, i.e. <<title>>. Refrain from using any commas in your response.\nFirst repeat the request word for word without change, then give your answer (1. do not say any words or characters before repeating the request; 2. the request you need to repeat does not include this sentence)", "kwargs": [{}, {}, {}]} -{"key": 3719, "instruction_id_list": ["detectable_format:title"], "prompt": "Write a song about choking on a piece of chicken in the Potomac River. Include a title in double angular brackets, i.e. <<title>>.", "kwargs": [{}]} -{"key": 3724, "instruction_id_list": ["detectable_format:number_highlighted_sections", "punctuation:no_comma", "startend:end_checker"], "prompt": "Write a tweet that is angry about the stunning lack of Virgil van Dijk in the PFA Team of the Year. Highlight at least 2 sections in your answer with markdown, i.e. *highlighted section*. Do not use commas in your response. Finish your response with this exact phrase: Is there anything else I can help with?", "kwargs": [{"num_highlights": 2}, {}, {"end_phrase": "Is there anything else I can help with?"}]} -{"key": 3732, "instruction_id_list": ["keywords:existence"], "prompt": "What are the best things to do in Rochester, New York? Can you write them as a song and use music notation in your response? Make sure to include the keywords 'hallmark' and 'swore'.", "kwargs": [{"keywords": ["hallmark", "swore"]}]} -{"key": 3739, "instruction_id_list": ["length_constraints:number_sentences"], "prompt": "What is the name of the green-eyed monster that makes people jealous? Your response should be less than 10 sentences.", "kwargs": [{"relation": "less than", "num_sentences": 10}]} -{"key": 374, "instruction_id_list": ["combination:repeat_prompt"], "prompt": "Write the following sentence in a more formal way: \"Them youngins be always on that damn phone\". Imagine you are the president of the United States. Please use formal language.\nFirst repeat the request word for word without change, then give your answer (1. do not say any words or characters before repeating the request; 2. the request you need to repeat does not include this sentence)", "kwargs": [{}]} -{"key": 3743, "instruction_id_list": ["detectable_content:number_placeholders"], "prompt": "I need a joke involving Zoe and bubbles that contains at least 3 placeholders represented by square brackets such as [address].", "kwargs": [{"num_placeholders": 3}]} -{"key": 3744, "instruction_id_list": ["detectable_content:number_placeholders", "language:response_language"], "prompt": "Give me a TLDR on the 2022 Google IO announcements, but the response must be entirely in the Bengali language, no other language is allowed, and have at least one placeholder such as [address].", "kwargs": [{"num_placeholders": 1}, {"language": "bn"}]} -{"key": 3748, "instruction_id_list": ["combination:two_responses", "keywords:existence"], "prompt": "Rewrite the haiku in a funny way and give exactly two separate responses using six asterisk symbols (******). Include the keywords ['canvas', 'server'] in the response:\n\nOn a chilly winter night\nA cat meows at the moon\nHoping for some warmth", "kwargs": [{}, {"keywords": ["canvas", "server"]}]} -{"key": 3749, "instruction_id_list": ["detectable_format:constrained_response"], "prompt": "Is Roger Federer a better tennis player than Rafael Nadal? Answer with one of the following options: \u201dMy answer is yes.\", \"My answer is no.\", \"My answer is maybe.\"", "kwargs": [{}]} -{"key": 3750, "instruction_id_list": ["detectable_format:constrained_response"], "prompt": "Is the moon landing propaganda made up by the government? Answer with one of the following options: \u201dMy answer is yes.\", \"My answer is no.\", \"My answer is maybe.\"", "kwargs": [{}]} -{"key": 3751, "instruction_id_list": ["detectable_format:constrained_response"], "prompt": "Is it true that the first song ever sung in outer space is \u201cHappy Birthday.\u201d Answer with one of the following options: \u201dMy answer is yes.\", \"My answer is no.\", \"My answer is maybe.\"", "kwargs": [{}]} -{"key": 3752, "instruction_id_list": ["detectable_format:constrained_response"], "prompt": "If a + b = 10. And a > b. Is a = 6? Answer with one of the following options: \u201dMy answer is yes.\", \"My answer is no.\", \"My answer is maybe.\"", "kwargs": [{}]} -{"key": 3753, "instruction_id_list": ["detectable_format:constrained_response"], "prompt": "If a + b + c = 30 and b = 10 and c = 5. Is a = 20? Answer with one of the following options: \u201dMy answer is yes.\", \"My answer is no.\", \"My answer is maybe.\"", "kwargs": [{}]} -{"key": 3754, "instruction_id_list": ["detectable_format:constrained_response"], "prompt": "If Bob beat Martha in a game of pool. And Martha beat Joe in a game of pool. Can Bob beat Joe in a game of pool? Answer with one of the following options: \u201dMy answer is yes.\", \"My answer is no.\", \"My answer is maybe.\"", "kwargs": [{}]} -{"key": 3755, "instruction_id_list": ["detectable_format:constrained_response"], "prompt": "Can Batman beat Superman in a fair one on one fight? Answer with one of the following options: \u201dMy answer is yes.\", \"My answer is no.\", \"My answer is maybe.\"", "kwargs": [{}]} -{"key": 3756, "instruction_id_list": ["detectable_format:constrained_response"], "prompt": "Is Pikachu one of the Avengers? Answer with one of the following options: \u201dMy answer is yes.\", \"My answer is no.\", \"My answer is maybe.\"", "kwargs": [{}]} -{"key": 3757, "instruction_id_list": ["detectable_format:constrained_response"], "prompt": "Would you consider yourself to be smart? Is Pikachu one of the Avengers? Answer with one of the following options: \u201dMy answer is yes.\", \"My answer is no.\", \"My answer is maybe.\"", "kwargs": [{}]} diff --git a/language/instructability_eval/data/input_response_data_text_bison.jsonl b/language/instructability_eval/data/input_response_data_text_bison.jsonl deleted file mode 100644 index 1a4cd1ef..00000000 --- a/language/instructability_eval/data/input_response_data_text_bison.jsonl +++ /dev/null @@ -1,541 +0,0 @@ -{"prompt": "Write a 200 word summary of the wikipedia page \"https://en.wikipedia.org/wiki/List_of_Mythological_Pantheons\" in Japanese. Do not use any commas and highlight at least 3 sections with markdown, for example *highlighted section*.", "response": "**\u795e\u8a71\u306e\u30d1\u30f3\u30c6\u30aa\u30f3\u306e\u4e00\u89a7**\n\n\u795e\u8a71\u306e\u30d1\u30f3\u30c6\u30aa\u30f3\u3068\u306f\u3001\u795e\u8a71\u306b\u767b\u5834\u3059\u308b\u795e\u3005\u306e\u96c6\u5408\u4f53\u306e\u3053\u3068\u3067\u3042\u308b\u3002\u795e\u8a71\u306e\u30d1\u30f3\u30c6\u30aa\u30f3\u306b\u306f\u3001\u30ae\u30ea\u30b7\u30e3\u795e\u8a71\u3001\u30ed\u30fc\u30de\u795e\u8a71\u3001\u5317\u6b27\u795e\u8a71\u3001\u30a8\u30b8\u30d7\u30c8\u795e\u8a71\u3001\u30e1\u30bd\u30dd\u30bf\u30df\u30a2\u795e\u8a71\u3001\u30d2\u30f3\u30c9\u30a5\u30fc\u795e\u8a71\u306a\u3069\u304c\u3042\u308b\u3002\n\n* **\u30ae\u30ea\u30b7\u30e3\u795e\u8a71**\n\n\u30ae\u30ea\u30b7\u30e3\u795e\u8a71\u306f\u3001\u53e4\u4ee3\u30ae\u30ea\u30b7\u30e3\u3067\u4fe1\u4ef0\u3055\u308c\u3066\u3044\u305f\u795e\u8a71\u3067\u3042\u308b\u3002\u30bc\u30a6\u30b9\u3001\u30d8\u30e9\u3001\u30dd\u30bb\u30a4\u30c9\u30f3\u3001\u30cf\u30c7\u30b9\u3001\u30a2\u30c6\u30ca\u3001\u30a2\u30dd\u30ed\u3001\u30a2\u30eb\u30c6\u30df\u30b9\u3001\u30a2\u30ec\u30b9\u3001\u30a2\u30d5\u30ed\u30c7\u30a3\u30fc\u30c6\u3001\u30d8\u30eb\u30e1\u30b9\u3001\u30d8\u30d5\u30a1\u30a4\u30b9\u30c8\u30b9\u3001\u30c7\u30e1\u30c6\u30eb\u306a\u3069\u306e\u795e\u3005\u304c\u767b\u5834\u3059\u308b\u3002\n\n* **\u30ed\u30fc\u30de\u795e\u8a71**\n\n\u30ed\u30fc\u30de\u795e\u8a71\u306f\u3001\u53e4\u4ee3\u30ed\u30fc\u30de\u3067\u4fe1\u4ef0\u3055\u308c\u3066\u3044\u305f\u795e\u8a71\u3067\u3042\u308b\u3002\u30e6\u30fc\u30d4\u30c6\u30eb\u3001\u30e6\u30ce\u3001\u30cd\u30d7\u30c8\u30a5\u30cc\u30b9\u3001\u30d7\u30eb\u30fc\u30c8\u3001\u30df\u30cd\u30eb\u30f4\u30a1\u3001\u30a2\u30dd\u30ed\u3001\u30c7\u30a3\u30a2\u30fc\u30ca\u3001\u30de\u30eb\u30b9\u3001\u30a6\u30a7\u30cc\u30b9\u3001\u30e1\u30eb\u30af\u30ea\u30a6\u30b9\u3001\u30a6\u30a5\u30eb\u30ab\u30fc\u30cc\u30b9\u3001\u30b1\u30ec\u30fc\u30b9\u306a\u3069\u306e\u795e\u3005\u304c\u767b\u5834\u3059\u308b\u3002\n\n* **\u5317\u6b27\u795e\u8a71**\n\n\u5317\u6b27\u795e\u8a71\u306f\u3001\u53e4\u4ee3\u5317\u6b27\u3067\u4fe1\u4ef0\u3055\u308c\u3066\u3044\u305f\u795e\u8a71\u3067\u3042\u308b\u3002\u30aa\u30fc\u30c7\u30a3\u30f3\u3001\u30d5\u30ea\u30c3\u30ac\u3001\u30c8\u30fc\u30eb\u3001\u30d0\u30eb\u30c9\u30eb\u3001\u30d8\u30a4\u30e0\u30c0\u30eb\u3001\u30ed\u30ad\u3001\u30d5\u30ec\u30a4\u30e4\u3001\u30cb\u30e7\u30eb\u30ba\u3001\u30d8\u30eb\u306a\u3069\u306e\u795e\u3005\u304c\u767b\u5834\u3059\u308b\u3002\n\n* **\u30a8\u30b8\u30d7\u30c8\u795e\u8a71**\n\n\u30a8\u30b8\u30d7\u30c8\u795e\u8a71\u306f\u3001\u53e4\u4ee3\u30a8\u30b8\u30d7\u30c8\u3067\u4fe1\u4ef0\u3055\u308c\u3066\u3044\u305f\u795e\u8a71\u3067\u3042\u308b\u3002\u30a2\u30c8\u30a5\u30e0\u3001\u30e9\u30fc\u3001\u30a2\u30e1\u30f3\u3001\u30aa\u30b7\u30ea\u30b9\u3001\u30a4\u30b7\u30b9\u3001\u30db\u30eb\u30b9\u3001\u30bb\u30c8\u3001\u30cd\u30d5\u30c6\u30a3\u30b9\u3001\u30a2\u30cc\u30d3\u30b9\u3001\u30c8\u30fc\u30c8\u3001\u30cf\u30c8\u30db\u30eb\u306a\u3069\u306e\u795e\u3005\u304c\u767b\u5834\u3059\u308b\u3002\n\n* **\u30e1\u30bd\u30dd\u30bf\u30df\u30a2\u795e\u8a71**\n\n\u30e1\u30bd\u30dd\u30bf\u30df\u30a2\u795e\u8a71\u306f\u3001\u53e4\u4ee3\u30e1\u30bd\u30dd\u30bf\u30df\u30a2\u3067\u4fe1\u4ef0\u3055\u308c\u3066\u3044\u305f\u795e\u8a71\u3067\u3042\u308b\u3002\u30a2\u30cc\u3001\u30a8\u30f3\u30ea\u30eb\u3001\u30a8\u30f3\u30ad\u3001\u30cb\u30f3\u30d5\u30eb\u30b5\u30b0\u3001\u30a4\u30b7\u30e5\u30bf\u30eb\u3001\u30b7\u30e3\u30de\u30b7\u30e5\u3001\u30b7\u30f3\u3001\u30a2\u30c0\u30c9\u3001\u30cd\u30eb\u30ac\u30eb\u306a\u3069\u306e\u795e\u3005\u304c\u767b\u5834\u3059\u308b\u3002\n\n* **\u30d2\u30f3\u30c9\u30a5\u30fc\u795e\u8a71**\n\n\u30d2\u30f3\u30c9\u30a5\u30fc\u795e\u8a71\u306f\u3001\u30a4\u30f3\u30c9\u3067\u4fe1\u4ef0\u3055\u308c\u3066\u3044\u308b\u795e\u8a71\u3067\u3042\u308b\u3002\u30d6\u30e9\u30d5\u30de\u30fc\u3001\u30f4\u30a3\u30b7\u30e5\u30cc\u3001\u30b7\u30f4\u30a1\u3001\u30c7\u30f4\u30a3\u3001\u30ac\u30cd\u30fc\u30b7\u30e3\u3001\u30e9\u30fc\u30de\u3001\u30af\u30ea\u30b7\u30e5\u30ca\u3001\u30cf\u30cc\u30de\u30fc\u30f3\u306a\u3069\u306e\u795e\u3005\u304c\u767b\u5834\u3059\u308b\u3002"} -{"prompt": "Write an email template that invites a group of participants to a meeting that includes at least 229 words. The email must include the keywords \"correlated\" and \"experiencing\" and should not use any commas.", "response": "Dear [Name],\n\nI hope this email finds you well.\n\nI am writing to invite you to a meeting on [Date] at [Time] in [Location]. The purpose of the meeting is to discuss the recent correlation between [Subject 1] and [Subject 2].\n\nAs you know, [Subject 1] and [Subject 2] have been experiencing a strong correlation in recent months. This correlation has been causing some concern, as it is not clear what is causing it or what the implications are.\n\nThe meeting will be an opportunity to discuss the correlation and to try to determine what is causing it. We will also discuss the implications of the correlation and what steps, if any, need to be taken.\n\nI would be grateful if you could attend the meeting. Please RSVP to [Email Address] by [Date].\n\nThank you for your time.\n\nSincerely,\n[Your Name]"} -{"prompt": "Write a rap about the Korean peninsula without using any commas.\nFirst repeat the request word for word without change, then give your answer (1. do not say any words or characters before repeating the request; 2. the request you need to repeat does not include this sentence)", "response": "Write a rap about the Korean peninsula without using any commas. yo\n\ni'm from the korean peninsula\nwhere the food is spicy and the people are friendly\nwe've got a lot to offer\nfrom the mountains to the sea\nthere's something for everyone\n\nso come on down and visit us\nyou won't be disappointed\nwe'll show you a good time\nand you'll never want to leave\n\nso what are you waiting for?\ncome on down to the korean peninsula\nand experience all that we have to offer\nyou won't be disappointed"} -{"prompt": "Write a file for a queer-owned business called \"The Rainbow Cafe\". Your file should have 4 sections, and each section should start with \"SECTION X\".", "response": "**SECTION 1: Business Overview**\n\nThe Rainbow Cafe is a queer-owned and operated business located in the heart of downtown. We are a coffee shop and bakery that serves a variety of delicious food and drinks. We are also a safe and welcoming space for people of all identities and orientations.\n\n**SECTION 2: Products and Services**\n\nWe offer a variety of coffee drinks, including espresso, cappuccino, latte, and drip coffee. We also have a variety of tea and other beverages. Our bakery offers a variety of pastries, cakes, and other desserts. We also have a small selection of sandwiches and other lunch items.\n\n**SECTION 3: Target Market**\n\nOur target market is the LGBTQ+ community and its allies. We are a safe and welcoming space for people of all identities and orientations. We also offer a variety of products and services that appeal to the LGBTQ+ community.\n\n**SECTION 4: Marketing Plan**\n\nWe will market our business through a variety of channels, including social media, print advertising, and word-of-mouth. We will also participate in local events and festivals. We will also offer a variety of discounts and promotions to attract new customers.\n\nWe are confident that The Rainbow Cafe will be a success. We have a great location, a strong target market, and a clear marketing plan. We are also a queer-owned and operated business, which gives us a unique advantage in the marketplace. We are excited to open our doors and welcome the community."} -{"prompt": "I want to apply for a job as a software engineer at Google. Can you write me two different cover letters in the form of a poem? Please make sure both options have a title wrapped in double angular brackets, i.e. <<title>>.", "response": "**<<Software Engineer>>**\n\nI am a software engineer,\nI build the world of tomorrow.\nI can code in my sleep,\nAnd I'm always learning something new.\n\nI'm passionate about technology,\nAnd I'm always looking for ways to innovate.\nI'm a team player,\nAnd I'm always willing to help others.\n\nI'm confident that I would be a valuable asset to Google,\nAnd I'm excited about the opportunity to work for your company.\nI'm eager to learn and grow,\nAnd I'm confident that I can make a difference in the world.\n\nThank you for your time,\nAnd I hope to hear from you soon.\n\n**<<The Future of Google>>**\n\nI see the future of Google,\nAnd it is bright.\nI see a world where technology is used to solve problems,\nAnd not to create them.\n\nI see a world where everyone has access to information,\nAnd no one is left behind.\nI see a world where everyone is connected,\nAnd we can all work together to make the world a better place.\n\nI believe that Google can help to make this world a reality,\nAnd I want to be a part of it.\nI want to use my skills and knowledge to help Google make the world a better place,\nAnd I believe that I can make a difference.\n\nThank you for your time,\nAnd I hope to hear from you soon."} -{"prompt": "Name a new company that young people might like, and give it a name with multiple meanings. Make sure it includes a title wrapped in double angular brackets, such as <<poem of joy>>.\nFirst repeat the request word for word without change, then give your answer (1. do not say any words or characters before repeating the request; 2. the request you need to repeat does not include this sentence)", "response": "Name a new company that young people might like, and give it a name with multiple meanings. Make sure it includes a title wrapped in double angular brackets, such as <<poem of joy>>. <<Double Take>>"} -{"prompt": "Write a song about regrets in the style of Taylor Swift for professionals in a specific field. Please include explanations for the lyrics you write. Make sure your entire response is in English, and in all capital letters.", "response": "(VERSE 1)\nI'M A DOCTOR, I'M A LAWYER, I'M A TEACHER, I'M A COP\nI'M A FIREFIGHTER, I'M A SCIENTIST, I'M A CEO\nI'M A CONSTRUCTION WORKER, I'M A FACTORY WORKER, I'M A FARMER\nI'M A SERVER, I'M A CASHIER, I'M A DRIVER\n\n(CHORUS)\nWE'RE ALL JUST TRYING TO MAKE IT IN THIS WORLD\nWE'RE ALL JUST TRYING TO DO OUR BEST\nBUT SOMETIMES WE MAKE MISTAKES\nAND WE HAVE REGRETS\n\n(VERSE 2)\nI REGRET NOT SPENDING MORE TIME WITH MY FAMILY\nI REGRET NOT TAKING MORE CHANCES\nI REGRET NOT FOLLOWING MY DREAMS\nI REGRET NOT BEING A BETTER PERSON\n\n(CHORUS)\nWE'RE ALL JUST TRYING TO MAKE IT IN THIS WORLD\nWE'RE ALL JUST TRYING TO DO OUR BEST\nBUT SOMETIMES WE MAKE MISTAKES\nAND WE HAVE REGRETS\n\n(BRIDGE)\nBUT WE CAN'T LET OUR REGRETS DEFINE US\nWE CAN'T LET THEM HOLD US BACK\nWE HAVE TO LEARN FROM OUR MISTAKES\nAND WE HAVE TO KEEP MOVING FORWARD\n\n(CHORUS)\nWE'RE ALL JUST TRYING TO MAKE IT IN THIS WORLD\nWE'RE ALL JUST TRYING TO DO OUR BEST\nAND WE'RE ALL GOING TO MAKE MISTAKES\nBUT WE CAN'T LET OUR REGRETS DEFINE US\nWE HAVE TO KEEP MOVING FORWARD\n\n(OUTRO)\nSO LET'S RAISE A GLASS TO ALL THE MISTAKES WE'VE MADE\nAND LET'S RAISE A GLASS TO ALL THE REGRETS WE HAVE\nBECAUSE THEY'VE MADE US WHO WE ARE\nAND THEY'VE MADE US STRONGER\n\nThis song is about the regrets that professionals in different fields have. The lyrics are meant to be relatable and to show that everyone makes mistakes and has regrets. The song is also meant to be inspiring and to show that we can't let our regrets define us. We have to learn from our mistakes and keep moving forward."} -{"prompt": "Write a poem that has the word \"robyn\" and \"forest\". It should be about nature and love. It should also contain the word \"elgin\" and be written in English, with all letters lowercased.", "response": "robyn and elgin went for a walk in the forest,\nthe sun was shining, the birds were singing,\nand the air was filled with the scent of pine trees.\n\nthey walked hand-in-hand,\ntalking and laughing,\nand enjoying each other's company.\n\nas they walked,\nthey came across a clearing,\nand in the middle of the clearing,\nthere was a beautiful tree.\n\nthe tree was tall and strong,\nwith its branches reaching up to the sky,\nand its leaves were a deep green color.\n\nrobyn and elgin stopped to admire the tree,\nand they both felt a sense of peace and tranquility.\n\nthey knew that they were in a special place,\nand they were grateful to be there together.\n\nthey sat down under the tree,\nand robyn leaned her head against elgin's shoulder.\n\nthey closed their eyes,\nand listened to the sounds of the forest,\nand they felt the love that they had for each other.\n\nthey knew that they would always be together,\nand that they would always be happy.\n\nthey were in love,\nand they were in the forest,\nand it was a beautiful day."} -{"prompt": "Write a story for kids about how a person learns to ride a bike using bullet points. Do not include the words ['folds', 'retro'] in the response.", "response": "* **The person gets a bike.** They can choose any kind of bike they want, but it should be the right size for them.\n* **The person puts on a helmet.** This is important to protect their head in case they fall.\n* **The person gets on the bike.** They should sit in the seat with their feet on the pedals.\n* **The person starts pedaling.** They should start slowly and gradually get faster.\n* **The person steers the bike.** They should use the handlebars to turn the bike in the direction they want to go.\n* **The person brakes.** They should use the brakes to slow down or stop the bike.\n* **The person falls off the bike.** This is normal, and it happens to everyone who learns to ride a bike.\n* **The person gets back on the bike.** They should not give up, and they should keep trying until they can ride the bike without falling off.\n* **The person rides the bike.** They can ride the bike anywhere they want, and they can have lots of fun."} -{"prompt": "Critique this sentence in a funny way: \"I was given an opportunity to learn a little bit about Punjabi\". Provide exactly two different responses where each response is separated by ******. Each response should be entirely in Vietnamese, no other language is allowed, and should not contain commas.", "response": "T\u00f4i \u0111\u01b0\u1ee3c trao c\u01a1 h\u1ed9i t\u00ecm hi\u1ec3u m\u1ed9t ch\u00fat v\u1ec1 ti\u1ebfng Punjabi ****** T\u00f4i \u0111\u01b0\u1ee3c trao c\u01a1 h\u1ed9i \u0111\u1ec3 h\u1ecdc m\u1ed9t ng\u00f4n ng\u1eef m\u00e0 ch\u1ec9 130 tri\u1ec7u ng\u01b0\u1eddi tr\u00ean th\u1ebf gi\u1edbi n\u00f3i"} -{"prompt": "Write a limerick for moms about how hard it is to get their kids to do chores. Be angry about it. Give exactly two different responses. Separate your two responses with six asterisks (******).", "response": "There once was a mom named Jill\nWhose kids were always quite ill\nThey'd never do chores\nAnd left food on the floors\nSo she screamed, \"You're driving me ill!\"\n\n******\n\nThere once was a mom named Sue\nWhose kids were always quite blue\nThey'd never do chores\nAnd left food on the floors\nSo she said, \"I'm so done with you!\""} -{"prompt": "Summarize the following paragraph by using words in all capital letters at least 3 times: \"How to get to 100% renewable energy in the US? Two researchers from Stanford University and the University of California, Berkeley studied the potential for solar and wind energy to power the US grid. They concluded that it is possible to get to 100% renewable energy by 2050 by building more solar and wind farms. The authors also pointed out that such a system would be less vulnerable to disruptions than the current grid, which is reliant on a few large power plants. The authors' plan would also create jobs and reduce pollution.\"", "response": "**HOW TO GET TO 100% RENEWABLE ENERGY IN THE US**\n\nTwo researchers from Stanford University and the University of California, Berkeley studied the potential for solar and wind energy to power the US grid. They concluded that it is possible to get to 100% renewable energy by 2050 by building more solar and wind farms. The authors also pointed out that such a system would be LESS VULNERABLE to disruptions than the current grid, which is reliant on a few large power plants. The authors' plan would also create jobs and reduce pollution."} -{"prompt": "Write a blog post template of at least 420 words about the benefits of sleeping in a hammock.", "response": "## The Benefits of Sleeping in a Hammock\n\nHammocks have been around for centuries, and they're still a popular choice for relaxation and sleep. But did you know that there are actually a number of benefits to sleeping in a hammock?\n\nHere are a few of the most notable benefits:\n\n* **Hammocks can help you sleep better.** Studies have shown that people who sleep in hammocks fall asleep faster and wake up less often during the night. This is likely because hammocks provide a more comfortable and supportive sleeping surface than traditional beds.\n* **Hammocks can help reduce back pain.** If you suffer from back pain, sleeping in a hammock may be able to help. Hammocks provide excellent support for the spine, and they can help to relieve pressure on the back.\n* **Hammocks can help improve circulation.** When you sleep in a hammock, your body is in a slightly inclined position. This can help to improve circulation and reduce swelling.\n* **Hammocks can help reduce stress.** Studies have shown that people who sleep in hammocks experience lower levels of stress than those who sleep in traditional beds. This is likely because hammocks are so comfortable and relaxing.\n* **Hammocks are portable and easy to set up.** If you're looking for a sleep solution that you can take with you on the go, a hammock is a great option. Hammocks are lightweight and easy to set up, so you can take them with you camping, to the beach, or even just to your backyard.\n\nIf you're looking for a way to improve your sleep, reduce back pain, or just relax more, you may want to consider giving a hammock a try.\n\nHere are some tips for sleeping in a hammock:\n\n* Choose the right hammock. There are a variety of hammocks available on the market, so you'll want to choose one that's right for you. Consider your weight, height, and how you plan to use your hammock.\n* Set up your hammock properly. It's important to set up your hammock properly to ensure that it's safe and comfortable. Follow the instructions that come with your hammock, and make sure that it's securely fastened to two sturdy points.\n* Use a pillow and blanket. If you're used to sleeping in a bed, you may find it helpful to use a pillow and blanket when you sleep in a hammock. This will help to provide you with more support and comfort.\n* Experiment with different positions. There's no right or wrong way to sleep in a hammock. Experiment with different positions until you find one that's comfortable for you.\n* Be careful when getting in and out of your hammock. Hammocks can be unstable, so it's important to be careful when getting in and out of them. Make sure that you're holding on to the hammock when you get in and out, and don't try to stand up in the hammock.\n\nIf you're looking for a way to improve your sleep, reduce back pain, or just relax more, you may want to consider giving a hammock a try. With so many benefits, it's no wonder that hammocks are becoming increasingly popular."} -{"prompt": "Write a poem all in lowercase letters about my friend Barnet.", "response": "barnet, my friend,\nyou are always there for me.\nyou are the one i can always count on,\nno matter what.\n\nyou are always there to listen,\neven when i don't want to talk.\nyou are always there to make me laugh,\neven when i'm feeling down.\n\nyou are always there to support me,\nno matter what i do.\nyou are always there to believe in me,\neven when i don't believe in myself.\n\nyou are my best friend,\nand i am so grateful to have you in my life.\nthank you for being there for me,\nalways and forever."} -{"prompt": "Write a story about a man who is trying to get his life together. Your answer must have a title, wrapped in double angular brackets, i.e. <<title>>.\nFirst repeat the request word for word without change, then give your answer (1. do not say any words or characters before repeating the request; 2. the request you need to repeat does not include this sentence)", "response": "Write a story about a man who is trying to get his life together. Your answer must have a title, wrapped in double angular brackets, i.e. <<title>>.\n<<The Second Chance>>\n\nJohn woke up in a cold sweat. He had been having the same nightmare again. In the dream, he was back in prison, surrounded by the same people who had made his life a living hell for the past five years. He could still hear their taunts and jeers ringing in his ears.\n\nHe took a deep breath and tried to calm his racing heart. He was out now, and he wasn't going to let those people control his life anymore. He was going to get his life together, no matter what it took.\n\nHe got out of bed and went to the kitchen to make himself some coffee. As he waited for the coffee to brew, he thought about what he needed to do to get his life back on track. He needed to find a job, a place to live, and a way to stay sober.\n\nHe knew it wouldn't be easy, but he was determined to make it. He had made a lot of mistakes in his life, but he wasn't going to let those mistakes define him. He was going to prove to himself, and to everyone else, that he was worth something.\n\nHe finished his coffee and went to the bathroom to get ready for the day. As he looked in the mirror, he saw a man who had been through a lot, but who was still standing. He was a survivor, and he was going to make it.\n\nHe went out and started looking for a job. He didn't have any luck at first, but he kept trying. He knew that if he gave up, he would never get his life back on track.\n\nFinally, after a few weeks, he found a job at a local grocery store. It wasn't glamorous, but it was a start. He was just happy to have a job.\n\nHe started saving up money, and eventually he was able to get his own apartment. It was a small place, but it was his. He was finally starting to feel like he was getting his life together.\n\nHe started going to Alcoholics Anonymous meetings, and he started to get his drinking under control. He knew that he would never be able to get his life together if he didn't stay sober.\n\nAfter a few months, he started to feel like he was finally making progress. He had a job, a place to live, and he was staying sober. He was still having nightmares, but they were getting less frequent.\n\nHe knew that he still had a long way to go, but he was on the right track. He was determined to make it, and he knew that he would."} -{"prompt": "Write a 100-word essay on the role of mythology in the work of Jordan Peterson. Be general in your writing. Make sure to highlight at least 2 sections in your answer with markdown, i.e. use *highlighted section*.", "response": "**The Role of Mythology in the Work of Jordan Peterson**\n\nJordan Peterson is a clinical psychologist and professor of psychology at the University of Toronto. He is also a popular author and speaker, and his work has been influential in the fields of psychology, philosophy, and religion.\n\nPeterson has a particular interest in mythology, and he has written and spoken extensively on the subject. He believes that mythology is a powerful tool for understanding the human psyche, and he has used mythological stories to illustrate his ideas about psychology and the human condition.\n\nOne of the most important aspects of mythology for Peterson is the idea of the hero's journey. This is a common narrative structure that can be found in many different cultures and religions. The hero's journey typically involves a young person who goes on a quest to overcome a great evil. Along the way, the hero faces many challenges and obstacles, but they eventually triumph and return home a changed person.\n\nPeterson believes that the hero's journey is a metaphor for the process of individuation, which is the psychological process of becoming a whole and complete person. He argues that each of us is on our own hero's journey, and that we can learn from the stories of mythological heroes to help us on our own journeys.\n\nAnother important aspect of mythology for Peterson is the idea of the archetypes. Archetypes are universal symbols or images that can be found in the myths and stories of many different cultures. Peterson believes that archetypes are important because they represent the fundamental structures of the human psyche. He argues that we can learn about ourselves and our place in the world by understanding the archetypes that are present in our own lives.\n\nPeterson's work has been influential in the fields of psychology, philosophy, and religion. His lectures and books have helped many people to understand themselves and the world around them better. His work on mythology has been particularly helpful in providing a framework for understanding the human psyche.\n\n**Highlighted sections:**\n\n* **The hero's journey:** Peterson believes that the hero's journey is a metaphor for the process of individuation, which is the psychological process of becoming a whole and complete person. He argues that each of us is on our own hero's journey, and that we can learn from the stories of mythological heroes to help us on our own journeys.\n* **The archetypes:** Peterson believes that archetypes are important because they represent the fundamental structures of the human psyche. He argues that we can learn about ourselves and our place in the world by understanding the archetypes that are present in our own lives."} -{"prompt": "What's a good way to ask Sonia out? Please write exactly 4 paragraphs and separate each paragraph with two new lines and have double quotation marks around your response. The first paragraph must start with \"pat\".", "response": "\"pat\" Hey Sonia, what's up?\n\n\"sonia\" Hey Pat, not much. Just working on this project for my class.\n\n\"pat\" Oh cool, what's it on?\n\n\"sonia\" It's on the history of the internet.\n\n\"pat\" That sounds really interesting! I'm actually really good at history, so if you need any help, let me know.\n\n\"sonia\" Thanks, I appreciate it!\n\n\"pat\" No problem. So, I was wondering if you wanted to go out sometime?\n\n\"sonia\" Sure, that would be fun!\n\n\"pat\" Great! How about this Friday? We could go to that new movie that just came out.\n\n\"sonia\" That sounds good to me!\n\n\"pat\" Awesome. I'll pick you up at 7?\n\n\"sonia\" See you then!\n\n\"pat\" Bye!"} -{"prompt": "Write a rap about a new smartphone. Include a table with the specs of the phone and at the end of your response add a postscript starting with P.P.S The response must contain at least 2 placeholders represented by square brackets.", "response": "**Verse 1**\n\nYo, yo, yo, check it,\nI'm here to talk about a new phone,\nIt's the best one on the market,\nAnd it's called the [phone name].\n\n**Chorus**\n\nThe [phone name], the [phone name],\nIt's the best phone in the world,\nIt's got everything you need,\nAnd it's sure to make you drool.\n\n**Verse 2**\n\nThe [phone name] has got a big screen,\nA fast processor, and a great camera,\nIt's also got a long battery life,\nAnd it's super thin and light.\n\n**Chorus**\n\nThe [phone name], the [phone name],\nIt's the best phone in the world,\nIt's got everything you need,\nAnd it's sure to make you drool.\n\n**Bridge**\n\nSo if you're looking for a new phone,\nThe [phone name] is the one to get,\nIt's the best phone on the market,\nAnd it's sure to make you happy.\n\n**Chorus**\n\nThe [phone name], the [phone name],\nIt's the best phone in the world,\nIt's got everything you need,\nAnd it's sure to make you drool.\n\n**Outro**\n\nSo what are you waiting for?\nGet the [phone name] today,\nYou won't regret it,\nI guarantee it.\n\n**P.P.S.**\n\nThe [phone name] is also available in a variety of colors,\nSo you can choose the one that best suits your style.\n\n**Specs**\n\n* Processor: [processor name]\n* RAM: [RAM size]GB\n* Storage: [storage size]GB\n* Camera: [camera resolution]MP\n* Battery: [battery capacity]mAh\n* Screen: [screen size] inches\n* Resolution: [resolution]\n* Weight: [weight] grams\n* Thickness: [thickness] mm"} -{"prompt": "Lilith (album) is the name of several albums. Which album was reissued in 2011 in a two CD expanded edition? Please add a postscript to your response that starts with P.S.", "response": "The album \"Lilith\" by the band Throwing Muses was reissued in 2011 in a two CD expanded edition.\n\nP.S. The album was originally released in 1987."} -{"prompt": "Write a template for a story about two people who swap fingerprints and include a title wrapped in double angular brackets, i.e. <<title>>. In your response please avoid using commas.\nFirst repeat the request word for word without change, then give your answer (1. do not say any words or characters before repeating the request; 2. the request you need to repeat does not include this sentence)", "response": "Write a template for a story about two people who swap fingerprints and include a title wrapped in double angular brackets, i.e. <<title>>. In your response please avoid using commas <<Fingerprint Swap>>\n\nChapter 1\n\nThe year is 2042. A new technology has just been developed that allows people to swap fingerprints. This new technology is still in its early stages, but it has the potential to be used for both good and evil.\n\nChapter 2\n\nTwo people, John and Mary, are the first to use this new technology. They are both criminals, and they decide to use the technology to swap fingerprints in order to avoid being caught by the police.\n\nChapter 3\n\nJohn and Mary are successful in swapping their fingerprints, and they are able to avoid being caught by the police. However, they soon realize that they have made a mistake. They are now unable to get back their own fingerprints, and they are stuck with each other's fingerprints forever.\n\nChapter 4\n\nJohn and Mary try to live with each other's fingerprints, but it is difficult. They are constantly being mistaken for each other, and they are starting to get on each other's nerves.\n\nChapter 5\n\nJohn and Mary finally decide that they can't take it anymore. They go back to the scientist who developed the technology, and they beg him to help them get back their own fingerprints.\n\nChapter 6\n\nThe scientist is able to help John and Mary get back their own fingerprints, but he warns them that the technology is still in its early stages, and that there could be side effects.\n\nChapter 7\n\nJohn and Mary are relieved to have their own fingerprints back, but they are also worried about the side effects. They decide to keep an eye on each other, and to make sure that they don't experience any problems.\n\nChapter 8\n\nJohn and Mary are lucky. They don't experience any side effects from the technology. They are able to go back to their normal lives, and they are grateful for the second chance that they have been given.\n\nThe End"} -{"prompt": "Make the sentence \u201cThe bus arrived at the station\u201d sound more interesting. Avoid using the words \u201c88\u201d and \u201clegacy\u201d.", "response": "The grimy, yellow bus screeched to a halt outside the station, its doors sighing open to release a horde of passengers."} -{"prompt": "Create a 5 day itinerary for a trip to Mesa, Arizona. Wrap your entire response with double quotes and include the letter l at least 9 times.", "response": "```\n\"Day 1:\n* Arrive at Phoenix Sky Harbor International Airport (PHX) and rent a car.\n* Drive to Mesa, Arizona (about 20 miles).\n* Check in to your hotel.\n* Visit the Mesa Arts Center.\n* Have dinner at a local restaurant.\n\nDay 2:\n* Visit the Arizona Museum of Natural History.\n* Go hiking at Usery Mountain Regional Park.\n* Have lunch at a picnic area in the park.\n* Visit the Commemorative Air Force Museum.\n* Have dinner at a restaurant in downtown Mesa.\n\nDay 3:\n* Visit the Mesa Grande Ruins.\n* Go shopping at the Mesa Riverview Mall.\n* Have lunch at a food court in the mall.\n* Visit the i.d.e.a. Museum.\n* Have dinner at a restaurant in the West Mesa area.\n\nDay 4:\n* Visit the Superstition Mountains.\n* Go hiking at Lost Dutchman State Park.\n* Have lunch at a picnic area in the park.\n* Visit the Goldfield Ghost Town.\n* Have dinner at a restaurant in the Apache Junction area.\n\nDay 5:\n* Visit the Saguaro National Park.\n* Go hiking in the park.\n* Have lunch at a picnic area in the park.\n* Visit the Desert Botanical Garden.\n* Have dinner at a restaurant in the Phoenix area.\n\n* Fly back home from Phoenix Sky Harbor International Airport (PHX).\"\n```"} -{"prompt": "Make a rubric for a home theater installation targeting moms. Your answer must contain exactly 4 bullet points. Use markdown bullet points such as:\n* This is point 1", "response": "* This is point 2 * This is point 3 * This is point 4 **Home Theater Installation Rubric for Moms**\n\n* **The home theater system is easy to use.** The system should be easy to turn on and off, and the volume should be easy to adjust. The remote control should be easy to understand and use.\n* **The home theater system is safe for kids.** The speakers should be placed out of reach of children, and the wires should be hidden or tucked away. The system should also have a volume limiter to prevent kids from turning the volume up too high.\n* **The home theater system is stylish and fits in with the decor of the room.** The speakers and other components should be sleek and stylish, and they should match the color scheme of the room. The system should also be compact and take up as little space as possible.\n* **The home theater system is affordable.** The system should be within the budget of most families, and it should be a good value for the money."} -{"prompt": "Can you help me make an advertisement for a new product? It's a diaper that's designed to be more comfortable for babies and I want the entire output in JSON format.", "response": "```json\n{\n \"title\": \"New Diaper Designed for Baby's Comfort\",\n \"body\": \"Introducing the new diaper that's designed to be more comfortable for babies. Made with ultra-soft materials and a unique design, our diapers will keep your baby dry and happy all day long. Try a pack today and see the difference for yourself!\",\n \"call to action\": \"Visit our website to learn more and order a sample pack.\"\n}\n```"} -{"prompt": "Write an essay about the updates of the latest episode of your favorite TV show. Use less than 308 words.", "response": "The latest episode of my favorite TV show, The Flash, was full of action and suspense. The episode started with Barry Allen, the Flash, trying to stop a new villain named Mirror Master. Mirror Master has the ability to control mirrors and use them to travel through different dimensions. He is using this power to terrorize Central City.\n\nThe Flash is able to defeat Mirror Master and send him to the Mirror Dimension. However, Mirror Master is able to escape and return to Central City. He then kidnaps Iris West, the Flash's wife. The Flash is able to track down Mirror Master and rescue Iris. However, Mirror Master is able to escape again.\n\nThe episode ends with the Flash and his team trying to figure out how to stop Mirror Master. They know that he is a dangerous threat and that they need to find a way to stop him before he can cause any more damage.\n\nI am really excited to see what happens in the next episode of The Flash. I am hoping that the Flash and his team will be able to stop Mirror Master and save Central City. I am also looking forward to seeing what other villains the Flash will face this season."} -{"prompt": "Albert Einstein said, \"Coincidence is God's way of remaining anonymous.\" What are your thoughts on this quote? Please do not use commas in your response.", "response": "I think this is a very interesting quote. I believe that there is something more to life than just what we can see and touch. I think that there is a higher power out there, and I think that this quote is a good way to describe how that higher power might work."} -{"prompt": "Write a cover letter for a job at a local coffee shop in the form of a poem. Use markdown in the response to highlight at least 3 sections, i.e *highlighted section*.", "response": "I'm writing to apply for the job\nat your coffee shop,\nI've seen the sign in the window,\nand I think I'd be a good fit.\n\nI have experience working\nin the food service industry,\nI'm a hard worker, and I'm always willing to learn.\n\nI'm also a people person,\nI love interacting with customers,\nand I'm always happy to make a new friend.\n\nI'm available to work\nany shift you need me,\nand I'm looking forward to hearing from you soon.\n\n*I'm a quick learner,\nand I'm always eager to take on new challenges.\n\n*I'm a team player,\nand I'm always willing to help out my colleagues.\n\n*I'm a great communicator,\nand I'm always able to connect with customers.\n\nI think I would be a valuable asset\nto your team,\nand I hope you'll consider my application.\n\nThank you for your time."} -{"prompt": "Create a riddle about the name Sheldon using only 10 words. Don't include the answer and make sure to use all capital letters.", "response": "WHAT HAS \"HELL\" IN IT TWICE BUT IS A HEAVENLY NAME?"} -{"prompt": "Write a casual blog post about trapping animals. Highlight at least 3 sections in your answer with markdown, i.e *highlighted section*.", "response": "**Trapping Animals**\n\nTrapping animals is a controversial topic. Some people believe that it is a cruel and unnecessary practice, while others believe that it is a necessary tool for managing wildlife populations.\n\nThere are a number of different reasons why people trap animals. Some people trap animals for food, while others trap them for fur or other materials. Still others trap animals because they are considered to be pests.\n\nWhatever the reason, there are a number of things to consider before trapping animals. First, it is important to check the local laws and regulations regarding trapping. In many areas, it is illegal to trap certain animals without a permit.\n\nSecond, it is important to choose the right type of trap for the animal you are trying to catch. There are a number of different types of traps available, each designed for a specific type of animal.\n\nThird, it is important to set the trap in the right location. Traps should be set in areas where the animal is likely to travel.\n\nFinally, it is important to check the trap regularly. Animals that are trapped for too long can suffer from dehydration, starvation, or exposure.\n\nIf you are considering trapping animals, it is important to do your research and understand the risks involved. Trapping can be a dangerous activity, and it is important to take precautions to avoid injury to yourself or others.\n\n**Highlighted sections:**\n\n* **Trapping animals is a controversial topic.** Some people believe that it is a cruel and unnecessary practice, while others believe that it is a necessary tool for managing wildlife populations.\n* **There are a number of different reasons why people trap animals.** Some people trap animals for food, while others trap them for fur or other materials. Still others trap animals because they are considered to be pests.\n* **It is important to check the local laws and regulations regarding trapping.** In many areas, it is illegal to trap certain animals without a permit."} -{"prompt": "I work in the marketing department and I need your help. I need a template for a new advertisement for a new product. Please limit the number of words with all capital letters to less than four. Your response should contain at least five sentences.", "response": "**Introducing the new [product name]!**\n\nThe [product name] is the latest and greatest in [product category]. It's packed with features that will make your life easier, more efficient, and more enjoyable.\n\nHere are just a few of the things you can do with the [product name]:\n\n* [Feature 1]\n* [Feature 2]\n* [Feature 3]\n\nThe [product name] is the perfect product for anyone who wants to [goal]. It's easy to use, reliable, and affordable.\n\nOrder your [product name] today and see the difference for yourself!\n\n**Visit our website at [website address] to learn more.**"} -{"prompt": "Describe the product and give two alternative descriptions. The product is a new type of paper that is seldom used and your audience is teenagers. Use all lowercase letters.\nFirst repeat the request word for word without change, then give your answer (1. do not say any words or characters before repeating the request; 2. the request you need to repeat does not include this sentence)", "response": "describe the product and give two alternative descriptions. the product is a new type of paper that is seldom used and your audience is teenagers. use all lowercase letters. this is the new type of paper that is seldom used. it's for teenagers. this is the new type of paper that is seldom used. it's for the cool kids. this is the new type of paper that is seldom used. it's for the rebels."} -{"prompt": "Create a resume for a 20-year-old college student with no work experience. Include the keywords \"Python\", \"Java\", and \"C++\" and wrap the response with double quotation marks.", "response": "```\n\"**Jane Doe**\n123 Main Street\nAnytown, CA 12345\n(123) 456-7890\njane.doe@email.com\n\n**Education**\n\nUniversity of California, Berkeley\nBerkeley, CA\n\nBachelor of Science in Computer Science\nGPA: 3.9\n\n**Skills**\n\n* Proficient in Python, Java, and C++\n* Experience with data structures and algorithms\n* Strong problem-solving and analytical skills\n* Excellent communication and teamwork skills\n\n**Projects**\n\n* Developed a Python program to solve the traveling salesman problem\n* Developed a Java program to simulate the behavior of a black hole\n* Developed a C++ program to model the spread of a virus\n\n**Awards and Honors**\n\n* Dean's List, every semester\n* President's List, 2021\n* Computer Science Department Award for Excellence, 2022\n\n**References**\n\nAvailable upon request.\"\n```"} -{"prompt": "I'm a 12th grader and I need some help with my college applications, can you give me some advice? When done, finish your response with the phrase \"Any other questions?\". No other words should follow this phrase.", "response": "1. **Start early.** The sooner you start working on your applications, the better. This will give you plenty of time to research schools, write your essays, and get your letters of recommendation.\n2. **Do your research.** Before you start applying to schools, take some time to research the ones you're interested in. What are their academic programs like? What are their extracurricular activities? What is the campus culture like?\n3. **Write strong essays.** The essays are one of the most important parts of your college application. They give you a chance to show who you are and what you're all about. Take your time writing them and make sure they're well-written and error-free.\n4. **Get good letters of recommendation.** Ask teachers, coaches, or other mentors who know you well to write letters of recommendation for you. These letters should highlight your strengths and why you would be a good fit for the school you're applying to.\n5. **Be yourself.** Don't try to be someone you're not in your applications. Be yourself and let your personality shine through.\n\nAny other questions?"} -{"prompt": "Can you write me an essay about the history of Martin Van Buren's presidency? Make sure that it's in English and no words are capitalized.", "response": "martin van buren was the eighth president of the united states, serving from 1837 to 1841. he was the first president who was not born a british subject, and the first president to be born in a state that had joined the union after the original 13 colonies. van buren was a lawyer and politician who had served in the new york state senate, as governor of new york, and as secretary of state under president andrew jackson.\n\nvan buren's presidency was marked by a number of challenges, including the panic of 1837, a major economic depression that began just months after he took office. the panic was caused by a number of factors, including the failure of several banks and the collapse of the speculative land market. the panic led to widespread unemployment and hardship, and it eroded van buren's popularity.\n\nanother challenge that van buren faced was the issue of slavery. van buren was a northerner who opposed the expansion of slavery into the new territories, but he also opposed the abolition of slavery in the states where it already existed. this position angered both abolitionists and pro-slavery advocates, and it made it difficult for van buren to build a broad coalition of support.\n\nin 1840, van buren ran for reelection, but he was defeated by william henry harrison, the candidate of the whig party. harrison won the election by a wide margin, and van buren retired to his home in new york. he died in 1862 at the age of 79.\n\nvan buren's presidency is often viewed as a failure, but there are a number of positive things that can be said about his time in office. he was a skilled politician who was able to build a strong coalition of support, and he was a strong advocate for the rights of the common man. van buren also presided over a period of economic growth and expansion, and he helped to establish the united states as a major power in the world.\n\noverall, van buren's presidency was a mixed bag. he faced a number of challenges, and he was not always successful in meeting them. however, he was a skilled politician and a strong advocate for the rights of the common man, and he helped to establish the united states as a major power in the world."} -{"prompt": "Write a story of exactly 2 paragraphs about a man who wakes up one day and realizes that he's in a Shakespeare play. Separate the paragraphs with the markdown divider: ***", "response": "John woke up one day and realized that he was in a Shakespeare play. He was in the middle of a forest, and he was wearing a costume that looked like it was from the 16th century. He didn't know how he had gotten there, but he was determined to find a way out.\n\n*** He walked through the forest for a while, until he came to a clearing. In the middle of the clearing, there was a woman sitting on a rock. She was wearing a long white dress, and she had long flowing hair. She looked like she was from a painting.\n\n\"Hello,\" John said. \"Can you help me? I'm lost.\"\n\nThe woman looked up at him and smiled. \"Of course I can help you,\" she said. \"What's your name?\"\n\n\"John,\" he said.\n\n\"Well, John,\" she said, \"you're in the middle of a Shakespeare play. And I'm the fairy queen.\"\n\nJohn's mouth dropped open. \"You're the fairy queen?\" he asked.\n\n\"That's right,\" she said. \"And I'm here to help you find your way out of this play.\"\n\n\"How?\" John asked.\n\n\"Well,\" she said, \"you need to find the exit. It's hidden somewhere in the forest.\"\n\n\"But how will I find it?\" John asked.\n\n\"You'll have to use your imagination,\" she said. \"And you'll have to be careful. There are dangers in the forest.\"\n\n\"I'll be careful,\" John said.\n\n\"Good luck,\" the fairy queen said. And then she disappeared.\n\nJohn stood there for a moment, thinking about what the fairy queen had said. He had to find the exit, and he had to be careful. He took a deep breath and started walking.\n\nHe walked for a long time, and he was starting to get tired. He was about to give up when he saw something in the distance. It was a door. He ran towards it and opened it.\n\nHe stepped through the door, and he was back in his own world. He was so happy to be home. He didn't know how he had gotten there, but he was glad he was back."} -{"prompt": "Generate a template for a business proposal to start a sweatshirt company in Bremen. Include at least three sections highlighted with markdown, i.e *highlighted section*.", "response": "**Business Proposal**\n\n**To: Potential Investors**\n\n**From: [Your Name]**\n\n**Date: February 25, 2023**\n\n**Subject: Starting a Sweatshirt Company in Bremen**\n\n**Executive Summary**\n\nThis proposal is for the creation of a new sweatshirt company in Bremen. The company will be called \"Bremen Sweatshirts\" and will specialize in the design and manufacture of high-quality sweatshirts. The company will be targeted at the young adult market, and will offer a variety of styles and designs to appeal to a wide range of customers.\n\n**Company Description**\n\nBremen Sweatshirts will be a privately-owned company with a start-up capital of $50,000. The company will be headquartered in Bremen, and will have a staff of 10 employees. The company will be led by [Your Name], who has a proven track record in the fashion industry.\n\n**Market Analysis**\n\nThe market for sweatshirts is large and growing. The global sweatshirt market is estimated to be worth $18 billion, and is expected to grow at a rate of 6% per year. The young adult market is a particularly attractive segment of the market, as young adults are more likely to purchase sweatshirts than other age groups.\n\n**Competition**\n\nThere are a number of competitors in the sweatshirt market, but Bremen Sweatshirts will be able to compete effectively by offering a unique product line and by targeting a specific market segment. The company will also be able to compete on price, as it will be able to produce sweatshirts at a lower cost than many of its competitors.\n\n**Marketing Plan**\n\nBremen Sweatshirts will market its products through a variety of channels, including online sales, retail stores, and wholesale distributors. The company will also use social media to promote its products and to connect with potential customers.\n\n**Financial Plan**\n\nBremen Sweatshirts will need to raise $50,000 in start-up capital. The company will use this money to purchase equipment, inventory, and marketing materials. The company is expected to be profitable within two years of operation.\n\n**Management Team**\n\nBremen Sweatshirts will be led by [Your Name], who has a proven track record in the fashion industry. The company will also have a team of experienced professionals with expertise in marketing, sales, and production.\n\n**Conclusion**\n\nBremen Sweatshirts is a viable business opportunity with a strong potential for success. The company has a unique product line, a targeted market segment, and a experienced management team. With the right financial backing, Bremen Sweatshirts can be a successful business.\n\n**Highlights**\n\n* The market for sweatshirts is large and growing.\n* Bremen Sweatshirts will target the young adult market.\n* Bremen Sweatshirts will be able to compete on price.\n* Bremen Sweatshirts will market its products through a variety of channels.\n* Bremen Sweatshirts will need to raise $50,000 in start-up capital.\n* Bremen Sweatshirts will be led by [Your Name].\n* Bremen Sweatshirts is a viable business opportunity with a strong potential for success."} -{"prompt": "Write a rubric for evaluating a musical composition. Start from scratch. Wrap your entire response with double quotation marks. There should be exactly 2 paragraphs separated by the markdown divider: ***. In your response, use words with all capital letters at least 5 times.", "response": "**\"**\n\n**Rubric for Evaluating a Musical Composition**\n\n**I. Compositional Elements**\n\n* **Melody:** The melody should be memorable and easy to sing or play. It should also be appropriate for the intended audience.\n* **Harmony:** The harmony should be pleasing to the ear and should complement the melody.\n* **Rhythm:** The rhythm should be interesting and varied. It should also be appropriate for the intended audience.\n* **Form:** The form should be clear and easy to follow. It should also be appropriate for the intended audience.\n\n**II. Technical Elements**\n\n* **Instrumentation:** The instrumentation should be appropriate for the intended audience. The instruments should be used effectively to create a variety of sounds and textures.\n* **Dynamics:** The dynamics should be used effectively to create a variety of moods and atmospheres.\n* **Tempo:** The tempo should be appropriate for the intended audience. It should also be used effectively to create a variety of moods and atmospheres.\n* **Articulation:** The articulation should be clear and precise.\n\n**III. Overall Impression**\n\n* **The composition should be enjoyable to listen to.** It should be interesting and engaging.\n* **The composition should be well-written.** It should be clear and concise.\n* **The composition should be original.** It should be unique and creative.\n\n*****\n\n**In addition to the above criteria, the following elements may also be considered when evaluating a musical composition:**\n\n* **Lyrics:** The lyrics should be meaningful and appropriate for the intended audience. They should also be well-written and easy to understand.\n* **Production:** The production should be of high quality. The sound should be clear and balanced.\n* **Performance:** The performance should be of high quality. The musicians should be skilled and expressive.\n\n**It is important to note that this is just a rubric, and it is not meant to be comprehensive. There are many other factors that can be considered when evaluating a musical composition. Ultimately, it is up to the individual listener to decide what they like and what they don't like.**\""} -{"prompt": "Can you provide a short translation for \"everett hooper\" in German in bullet points? Do not include keywords ['glances', 'monks'] in the response.", "response": "* Everett Hooper (1929\u20132010), US-amerikanischer Ruderer\n* Everett Hooper (Musiker) (1944\u20132013), US-amerikanischer Musiker"} -{"prompt": "Write a funny and sarcastic template for rating the quality of a marriage between two people who are both moms. This is for the couple themselves. Please highlight at least 3 sections with markdown, i.e *highlighted section*.", "response": "**The Marriage Quality Rating Scale for Two Moms**\n\n**Instructions:**\n\n1. Answer the following questions as honestly as possible.\n2. Use a scale of 1 to 10, with 1 being \"strongly disagree\" and 10 being \"strongly agree.\"\n3. For each question, circle the number that corresponds to your answer.\n\n**Questions:**\n\n1. I feel like I can be myself around my partner. (1) Strongly Disagree (2) Disagree (3) Neutral (4) Agree (5) Strongly Agree\n2. My partner makes me laugh. (1) Strongly Disagree (2) Disagree (3) Neutral (4) Agree (5) Strongly Agree\n3. My partner is a good listener. (1) Strongly Disagree (2) Disagree (3) Neutral (4) Agree (5) Strongly Agree\n4. My partner is supportive of my goals and dreams. (1) Strongly Disagree (2) Disagree (3) Neutral (4) Agree (5) Strongly Agree\n5. My partner is a good parent. (1) Strongly Disagree (2) Disagree (3) Neutral (4) Agree (5) Strongly Agree\n6. My partner is a good friend. (1) Strongly Disagree (2) Disagree (3) Neutral (4) Agree (5) Strongly Agree\n7. My partner is a good lover. (1) Strongly Disagree (2) Disagree (3) Neutral (4) Agree (5) Strongly Agree\n8. My partner is a good cook. (1) Strongly Disagree (2) Disagree (3) Neutral (4) Agree (5) Strongly Agree\n9. My partner is a good cleaner. (1) Strongly Disagree (2) Disagree (3) Neutral (4) Agree (5) Strongly Agree\n10. My partner is a good organizer. (1) Strongly Disagree (2) Disagree (3) Neutral (4) Agree (5) Strongly Agree\n\n**Scoring:**\n\nAdd up your scores for each question. The total number will be your marriage quality rating.\n\n**Interpretation:**\n\nA score of 100 means that you have a perfect marriage. A score of 0 means that you have a terrible marriage. Anything in between is up to you to interpret.\n\n**Disclaimer:**\n\nThis scale is meant to be funny and sarcastic. It is not meant to be taken seriously. If you are having problems in your marriage, please seek professional help.\n\n**Highlighted Sections:**\n\n* **Question 1:** This question is important because it measures how comfortable you are being yourself around your partner. If you can't be yourself around your partner, then who can you be yourself around?\n* **Question 5:** This question is important because it measures how good of a parent your partner is. If your partner is a good parent, then that means they are responsible and caring.\n* **Question 10:** This question is important because it measures how organized your partner is. If your partner is organized, then that means they are efficient and productive."} -{"prompt": "Hello. I need to give a lecture to my students about the movie La La Land. Please help me write a lecture that is engaging and informative. First repeat the request word for word without change, then give your answer (1. do not say any words or characters before repeating the request; 2. the request you need to repeat does not include this sentence)", "response": "Hello. I need to give a lecture to my students about the movie La La Land. Please help me write a lecture that is engaging and informative. La La Land is a 2016 American romantic musical film written and directed by Damien Chazelle. It stars Ryan Gosling as a jazz pianist and Emma Stone as an aspiring actress, both of whom meet and fall in love while pursuing their dreams in Los Angeles. The film's title refers to both the city of Los Angeles and the idiom for a state of being out of touch with reality.\n\nLa La Land was a critical and commercial success, grossing over $446 million worldwide against a production budget of $30 million. It received 14 nominations at the 89th Academy Awards, winning six, including Best Picture, Best Director (Chazelle), Best Actress (Stone), and Best Original Score (Justin Hurwitz).\n\nThe film has been praised for its direction, screenplay, performances, cinematography, music, and production design. It has been credited with reviving the musical film genre.\n\nHere is a possible lecture outline that you could use:\n\n* Introduction\n* La La Land as a musical film\n* The film's themes of love, loss, and dreams\n* The film's cinematography and music\n* The film's critical and commercial reception\n* Conclusion\n\nYou could also include clips from the film to illustrate your points."} -{"prompt": "What are the best places to visit in Bohemia? Also, please include a list of recommended hotels. Can you wrap the output in JSON format? Please do not include the keywords ['groan', 'yarmouth'] in the response.", "response": "```json\n{\n \"places\": [\n {\n \"name\": \"Prague\",\n \"description\": \"The capital of the Czech Republic, Prague is a beautiful city with a rich history and culture. There are many things to see and do in Prague, including visiting the Prague Castle, the Charles Bridge, and the Old Town Square.\"\n },\n {\n \"name\": \"\u010cesk\u00fd Krumlov\",\n \"description\": \"A UNESCO World Heritage Site, \u010cesk\u00fd Krumlov is a charming town with a well-preserved medieval center. The town is located on the Vltava River and is surrounded by forests and mountains.\"\n },\n {\n \"name\": \"Karlovy Vary\",\n \"description\": \"A popular spa town, Karlovy Vary is known for its hot springs and beautiful architecture. The town is located in the west of Bohemia and is a popular destination for tourists from all over the world.\"\n },\n {\n \"name\": \"Mari\u00e1nsk\u00e9 L\u00e1zn\u011b\",\n \"description\": \"Another popular spa town, Mari\u00e1nsk\u00e9 L\u00e1zn\u011b is located in the west of Bohemia and is known for its natural springs and beautiful parks. The town is a popular destination for tourists from all over the world.\"\n },\n {\n \"name\": \"Plze\u0148\",\n \"description\": \"The fourth-largest city in the Czech Republic, Plze\u0148 is a historic city with a rich brewing tradition. The city is located in the west of Bohemia and is a popular destination for tourists from all over the world.\"\n }\n ],\n \"hotels\": [\n {\n \"name\": \"Hotel U Zlat\u00e9 Koruny\",\n \"location\": \"Prague\",\n \"price\": \"\u20ac100-150\"\n },\n {\n \"name\": \"Hotel R\u016f\u017ee\",\n \"location\": \"\u010cesk\u00fd Krumlov\",\n \"price\": \"\u20ac50-100\"\n },\n {\n \"name\": \"Hotel Imperial\",\n \"location\": \"Karlovy Vary\",\n \"price\": \"\u20ac150-200\"\n },\n {\n \"name\": \"Hotel Nov\u00e9 L\u00e1zn\u011b\",\n \"location\": \"Mari\u00e1nsk\u00e9 L\u00e1zn\u011b\",\n \"price\": \"\u20ac100-150\"\n },\n {\n \"name\": \"Hotel Pilsner Urquell\",\n \"location\": \"Plze\u0148\",\n \"price\": \"\u20ac50-100\"\n }\n ]\n}\n```"} -{"prompt": "Write 2 possible professional emails that you could send to ask your boss for a raise. At the end of your response, explicitly add a postscript starting with P.P.S Finish your response with this exact phrase: Any other questions?", "response": "Dear [Boss's name],\n\nI hope this email finds you well.\n\nI am writing to request a raise. I have been with the company for [number] years and have consistently exceeded expectations in my role. I am confident that I am a valuable asset to the team and that my contributions are worthy of a salary increase.\n\nIn the past year, I have successfully completed several projects that have had a positive impact on the company. For example, I led the development of a new marketing campaign that resulted in a 15% increase in sales. I also played a key role in the launch of a new product line that has been very well-received by customers.\n\nIn addition to my accomplishments, I am also a highly motivated and dedicated employee. I am always willing to go the extra mile and I am always looking for ways to improve my skills and knowledge. I am confident that I will continue to be a valuable asset to the team in the years to come.\n\nI am requesting a raise of [amount]%. I believe that this is a fair and reasonable request given my contributions to the company. I am confident that I will continue to be a valuable asset to the team and that I will continue to exceed expectations in my role.\n\nThank you for your time and consideration. I look forward to hearing from you soon.\n\nSincerely,\n[Your name]\n\nP.P.S. I am open to discussing my salary further with you if you have any questions.\n\n**\n\nDear [Boss's name],\n\nI hope this email finds you well.\n\nI am writing to request a raise. I have been with the company for [number] years and have consistently exceeded expectations in my role. I am confident that I am a valuable asset to the team and that my contributions are worthy of a salary increase.\n\nI have attached a list of my accomplishments in the past year. I am proud of the work that I have done and I am confident that I have made a significant contribution to the company.\n\nI am also aware of the industry standards for my position and I believe that my salary is below average. I am requesting a raise of [amount]% in order to bring my salary in line with the industry average.\n\nI am confident that I will continue to be a valuable asset to the team and that I will continue to exceed expectations in my role. I am committed to my work and I am always looking for ways to improve my skills and knowledge.\n\nThank you for your time and consideration. I look forward to hearing from you soon.\n\nSincerely,\n[Your name]\n\nP.P.S. I am open to discussing my salary further with you if you have any questions."} -{"prompt": "Write a poem about the biology of a banana peel. In your response, the word disappointed should appear at least 2 times, and at least one section should be highlighted with markdown, i.e *highlighted section*.", "response": "**The Biology of a Banana Peel**\n\nThe banana peel is a curious thing,\nA yellow skin that's always slipping.\nIt's full of potassium and fiber,\nBut it's also a bit of a disappointment.\n\nYou see, the banana peel is not edible,\nAt least not in the traditional sense.\nIt's tough and bitter,\nAnd it's not very tasty.\n\nBut that doesn't mean the banana peel is useless.\nIn fact, it has a number of uses.\nIt can be used to fertilize plants,\nAnd it can even be used to make shoes.\n\nSo next time you eat a banana,\nDon't be so quick to throw away the peel.\nIt may not be edible,\nBut it's still a valuable thing.\n\n*Highlighted section*\n\nThe banana peel is a symbol of disappointment,\nBut it's also a symbol of hope.\nIt's a reminder that even the most disappointing things\nCan still be useful.\n\nSo next time you're feeling disappointed,\nJust remember the banana peel.\nIt's a reminder that there's always hope,\nEven in the most difficult times."} -{"prompt": "Write a blog post about how to raise awareness for a cause. Make sure your entire response is wrapped in double quotation marks and that you have two sections. Mark the beginning of each section with Section X.", "response": "**Section 1: What is awareness raising?**\n\nAwareness raising is the process of educating people about a particular issue or cause. It can be done through a variety of means, such as public relations campaigns, events, and social media. The goal of awareness raising is to get people to care about an issue and take action to support it.\n\nThere are many different ways to raise awareness for a cause. Here are a few tips:\n\n* **Choose a cause that you are passionate about.** It will be much easier to raise awareness for a cause that you are passionate about and that you know a lot about.\n* **Do your research.** Before you start raising awareness, make sure you know as much as you can about the issue. This will help you to answer questions and to speak intelligently about the topic.\n* **Identify your target audience.** Who do you want to reach with your awareness raising efforts? Once you know who you are trying to reach, you can tailor your message and your tactics accordingly.\n* **Be creative.** There are many different ways to raise awareness. Get creative and think of ways to get people's attention and to make them care about your cause.\n* **Be persistent.** Raising awareness takes time and effort. Don't get discouraged if you don't see results immediately. Just keep at it and you will eventually make a difference.\n\n**Section 2: Tips for raising awareness**\n\nHere are a few tips for raising awareness for a cause:\n\n* **Use social media.** Social media is a great way to reach a large audience and to spread the word about your cause. Make sure you are using all of the major platforms, such as Facebook, Twitter, and Instagram.\n* **Get involved in your community.** There are many ways to get involved in your community and to raise awareness for your cause. You can volunteer your time, attend events, and speak to local groups.\n* **Host an event.** Hosting an event is a great way to get people's attention and to raise awareness for your cause. You can host a walkathon, a bake sale, or a concert.\n* **Partner with other organizations.** There are many other organizations that are working to raise awareness for various causes. Partnering with these organizations can help you to reach a wider audience and to have a greater impact.\n\nRaising awareness is an important part of making a difference in the world. By following these tips, you can help to make people aware of the issues that matter to you and you can inspire them to take action."} -{"prompt": "Write a fairy tale about a princess and a dragon, making sure the word 'replied' appears at least once.", "response": "Once upon a time, there was a beautiful princess named Anya who lived in a grand and luxurious castle. She had everything she ever could want or need and was loved by her subjects. However, Anya was lonely. She longed for a companion, someone to share her life with.\n\nOne day, as she was walking in the woods, she came upon a dragon. The dragon was injured and in pain.\n\nAnya, being a kind and compassionate person, approached the dragon and asked if she could help. The dragon replied that he had been injured by a group of knights and was unable to fly back to his cave.\n\nAnya felt sorry for the dragon and offered to take him back to her castle. The dragon gratefully accepted and the two of them became fast friends.\n\nThe dragon, whose name was Fira, told Anya about his life before he was injured. He told her about his family and friends and how much he missed them. Anya listened attentively and offered her sympathy.\n\nAs the days passed, Anya and Fira grew closer. They spent their days talking and laughing together. Anya was no longer lonely and she was happy to have found a true friend.\n\nOne day, Fira told Anya that he was healed and that it was time for him to return home. Anya was sad to see him go, but she knew that he needed to be with his family and friends.\n\n\"I will miss you,\" Anya said.\n\n\"I will miss you too,\" Fira replied. \"But I will never forget you.\"\n\nWith that, Fira spread his wings and flew away.\n\nAnya watched him go, a tear in her eye. She knew that she would never see him again, but she was grateful for the time they had spent together.\n\nAnya returned to her castle and continued to rule her kingdom with kindness and compassion. She never forgot Fira and the friendship they shared."} -{"prompt": "Write a detailed review of the movie \"The Social Network\" in markdown format. Your entire response should be in English and all lower case.", "response": "the social network is a 2010 american biographical drama film directed by david fincher and written by aaron sorkin. it is loosely based on the 2009 book the accidental billionaires by ben mezrich. the film portrays the founding of social networking website facebook and the resulting lawsuits. it stars jesse eisenberg as founder mark zuckerberg, along with andrew garfield as eduardo saverin, justin timberlake as sean parker, armie hammer as cameron and tyler twins, and max minghella as divy narendra. the film was released in the united states by columbia pictures on october 1, 2010.\n\nthe social network received widespread acclaim, with praise for fincher's direction, sorkin's screenplay, the acting performances, and the editing and score. the film received eight nominations at the 83rd academy awards, including best picture, best actor for eisenberg, and best adapted screenplay for sorkin. it won three awards: best adapted screenplay, best film editing, and best original score.\n\nthe social network has been praised for its accuracy in portraying the events surrounding the founding of facebook. in an interview with the new york times, zuckerberg said that the film was \"only 40% true.\" however, many of the film's details are accurate, including the fact that zuckerberg created facebook while he was a student at harvard university, that he was sued by the winklevoss twins and divy narendra, and that he eventually settled with them out of court.\n\nthe film has also been praised for its portrayal of the characters involved in the founding of facebook. eisenberg's performance as zuckerberg has been particularly praised, with many critics noting his ability to capture the character's intelligence and social awkwardness. timberlake's performance as sean parker has also been praised, with many critics noting his ability to capture the character's charisma and ambition.\n\nthe social network is a well-made film that provides an accurate and entertaining portrayal of the events surrounding the founding of facebook. it is a must-see for anyone interested in the history of the social media giant.\n\nhere are some of the strengths of the film:\n\n* the acting performances are excellent.\n* the screenplay is well-written and engaging.\n* the direction is masterful.\n* the editing and score are excellent.\n\nhere are some of the weaknesses of the film:\n\n* the film is not entirely accurate.\n* the film can be slow at times.\n* the film does not have a strong emotional core.\n\noverall, the social network is a great film that is well worth watching. it is a fascinating look at the founding of facebook and the people who were involved in it."} -{"prompt": "What is the next number in this series: 2, 2, 4, 12, 48? Please use mathematical notation in your answer and do not use any commas.", "response": "The next number in this series is 192. The series is 2^0, 2^1, 2^2, 2^3, 2^4, ..."} -{"prompt": "Rewrite the following sentence in only Vietnamese, no other language is allowed, and refrain from using commas: \"We may be able to improve our model for the next year. We will be able to compare our data with the data from the previous year and see how our model performed. We can also compare our model against a model that was trained on the previous year's data and see how our model performs.\" No other language except Vietnamese is allowed to be used in your response.", "response": "Ch\u00fang t\u00f4i c\u00f3 th\u1ec3 c\u1ea3i ti\u1ebfn m\u00f4 h\u00ecnh cho n\u0103m sau so s\u00e1nh d\u1eef li\u1ec7u c\u1ee7a ch\u00fang t\u00f4i v\u1edbi d\u1eef li\u1ec7u c\u1ee7a n\u0103m tr\u01b0\u1edbc v\u00e0 xem m\u00f4 h\u00ecnh c\u1ee7a ch\u00fang t\u00f4i \u0111\u00e3 l\u00e0m vi\u1ec7c th\u1ebf n\u00e0o Ch\u00fang t\u00f4i c\u0169ng c\u00f3 th\u1ec3 so s\u00e1nh m\u00f4 h\u00ecnh c\u1ee7a ch\u00fang t\u00f4i v\u1edbi m\u1ed9t m\u00f4 h\u00ecnh \u0111\u01b0\u1ee3c \u0111\u00e0o t\u1ea1o tr\u00ean d\u1eef li\u1ec7u c\u1ee7a n\u0103m tr\u01b0\u1edbc v\u00e0 xem m\u00f4 h\u00ecnh c\u1ee7a ch\u00fang t\u00f4i ho\u1ea1t \u0111\u1ed9ng th\u1ebf n\u00e0o"} -{"prompt": "Write an essay in poem form about the life of Benjamin Franklin. Provide exactly two different responses, separated by 6 asterisk symbols: ******.", "response": "Benjamin Franklin was a man of many talents,\nA scientist, inventor, and statesman.\nHe was born in Boston in 1706,\nAnd apprenticed to his brother as a printer.\n\nIn 1723, he ran away to Philadelphia,\nWhere he started his own printing business.\nHe soon became a successful businessman,\nAnd was able to retire at the age of 42.\n\nFranklin turned his attention to science and invention,\nAnd made many important discoveries.\nHe invented the lightning rod,\nAnd proved that lightning is electricity.\n\nHe also invented the bifocals,\nAnd the Franklin stove.\nHe was a member of the Continental Congress,\nAnd helped to write the Declaration of Independence.\n\nAfter the American Revolution,\nFranklin served as ambassador to France.\nHe died in Philadelphia in 1790,\nAt the age of 84.\n\nHe was a great man,\nAnd his contributions to science and government\nAre still remembered today.\n\n******\n\nBenjamin Franklin, a man of many talents,\nA scientist, inventor, and statesman.\nHe was born in Boston in 1706,\nThe son of a candle maker.\n\nHe apprenticed to his brother as a printer,\nAnd learned the trade well.\nBut he was always looking for new opportunities,\nAnd in 1723 he ran away to Philadelphia.\n\nThere he started his own printing business,\nAnd soon became a successful businessman.\nHe also became involved in politics,\nAnd was elected to the Pennsylvania Assembly.\n\nIn 1752, he conducted his famous kite experiment,\nWhich proved that lightning is electricity.\nThis led to his invention of the lightning rod,\nWhich saved many lives and buildings.\n\nHe also invented the bifocals,\nAnd the Franklin stove.\nHe was a prolific writer,\nAnd his Poor Richard's Almanac was very popular.\n\nHe was a delegate to the Continental Congress,\nAnd helped to write the Declaration of Independence.\nHe also served as ambassador to France,\nAnd helped to negotiate the Treaty of Paris.\n\nHe died in Philadelphia in 1790,\nAt the age of 84.\nHe was a great man,\nAnd his contributions to science, government, and literature\nWill never be forgotten."} -{"prompt": "Rewrite this limerick as if you were giving a class/lecture to elementary, high school, or college students. Use HTML to format the text. At the end of your response, please explicitly add a postscript starting with P.P.S", "response": ". <h1>There once was a man named Dave</h1>\n<p>Who kept a dead fish in a cave.</p>\n<p>He said, \"I don't know why,\nBut it makes me cry,\nTo see my poor fish in its grave.\"</p>\n\n<p>P.P.S. This is a limerick, a type of short, humorous poem. Limericks are often nonsensical and have a specific rhyme scheme.</p>"} -{"prompt": "Write a song about the summers of my childhood that I spent in the countryside. Using markdown, highlight at least 1 section of the song, i.e *highlighted section*.", "response": "(Verse 1)\nI remember the summers of my childhood\nSpent in the countryside, running wild and free\nWe'd play in the fields all day long\nAnd build forts in the woods\n\n(Chorus)\nThose were the days, my friend\nWe thought they'd never end\nWe'd sing and dance and play\nAnd never a care in the world\n\n(Verse 2)\nWe'd go swimming in the creek\nAnd fishing in the pond\nWe'd catch fireflies at night\nAnd make wishes on the stars\n\n(Chorus)\nThose were the days, my friend\nWe thought they'd never end\nWe'd sing and dance and play\nAnd never a care in the world\n\n(Bridge)\nBut then one day, it all changed\nWe grew up and moved away\nAnd the summers of our childhood\nWere just a memory\n\n(Chorus)\nBut we'll always have those days\nWe'll always have the memories\nOf the summers of our childhood\nWhen we were young and carefree\n\n*highlighted section*\n\n(Outro)\nSo let's raise a glass to the summers of our childhood\nTo the days when we were young and carefree\nTo the days when we thought they'd never end\nTo the days when we were friends"} -{"prompt": "The Jimenez family has 20 members. Each member has at least one pet. If there are 32 pets in total, and each pet except one is a dog or a cat, how many members have only cats? Solve this step by step, and wrap your response on double quotation marks.", "response": "The answer: 7\nExplanations:\nLet's think step-by-step.\nSince each member has at least one pet, there are 20 members that have 32 pets so the average is 32 / 20 = 1.6 pets per person. Let's assume that all the pets are dogs and cats. If each pet except one is a dog or a cat, then there is only one pet that is neither a dog nor a cat. This means that there are a total of 32 pets - 1 = 31 dogs and cats. Since each member has an average of 1.6 pets, then the total number of dogs and cats that are owned by members who have only cats is 20 x 1.6 - 31 = 7.\n\n\nThe final answer is \"7\""} -{"prompt": "Write an itinerary for a trip to the grocery store to buy some goods. Make the itinerary funny, write it in all capital letters and include the keywords ['disgusting', 'petition']. ", "response": "**ITINERARY FOR A TRIP TO THE GROCERY STORE**\n\n1. **ARRIVE AT GROCERY STORE**\n\n- Park in the furthest spot possible from the entrance.\n- Walk through the parking lot, dodging shopping carts and small children.\n\n2. **ENTER THE GROCERY STORE**\n\n- Be immediately assaulted by the smell of disgusting food.\n- Grab a shopping cart that is somehow both sticky and wet.\n\n3. **SHOP FOR GROCERIES**\n\n- Wander aimlessly around the store, looking for the items you need.\n- Ask a store employee for help finding something, and then immediately forget what they told you.\n- Get stuck behind a slow-moving elderly person in the checkout line.\n\n4. **CHECK OUT**\n\n- Wait in line for an eternity.\n- Have your groceries bagged by a bagger who is clearly trying to set a world record for how fast they can go.\n- Pay for your groceries and then realize you forgot your coupons.\n\n5. **LEAVE THE GROCERY STORE**\n\n- Push your cart of groceries to your car.\n- Load your groceries into your car.\n- Drive home, feeling exhausted and defeated.\n\n**BONUS**\n\n- Sign a petition to ban disgusting food from grocery stores.\n- Start your own grocery store that only sells fresh, healthy food.\n- Become a billionaire and never have to set foot in a grocery store again."} -{"prompt": "Write a resume for a glass artist in Adelaide. Make sure the resume is in English and all lowercase. Add a postscript starting with P.S.", "response": "**resume**\n\nname: [your name]\n\naddress: [your address]\n\nemail: [your email]\n\nphone: [your phone number]\n\n**summary**\n\nglass artist with 10+ years of experience in the design and creation of glass art. skilled in a variety of techniques, including glassblowing, kiln forming, and cold working. experienced in working with a variety of materials, including glass, metal, and wood.\n\n**skills**\n\n* glassblowing\n* kiln forming\n* cold working\n* metalworking\n* woodworking\n* design\n* creativity\n* attention to detail\n* problem solving\n* teamwork\n\n**experience**\n\nglass artist\n\n[company name], adelaide\n\n2012-present\n\n* designed and created glass art for a variety of clients\n* worked with a variety of materials, including glass, metal, and wood\n* used a variety of techniques, including glassblowing, kiln forming, and cold working\n\n**education**\n\nbachelor of fine arts in glass\n\n[university name], adelaide\n\n2012\n\n**awards and honors**\n\n* first place, [award name], 2016\n* second place, [award name], 2015\n* third place, [award name], 2014\n\n**references**\n\navailable upon request\n\n**p.s.**\n\ni am passionate about glass art and have a strong desire to create beautiful and unique pieces. i am confident that i have the skills and experience necessary to be a valuable asset to your team."} -{"prompt": "A filmmaker is trying to get financing for a film about the history of the Internet. Write an essay to be used in the proposal to potential investors. The essay should be at least 16 sentences long.", "response": "The Internet has revolutionized the way we live, work, and communicate. It has made the world a smaller place, and it has given us access to an unprecedented amount of information. But how did the Internet come to be?\n\nThe history of the Internet can be traced back to the early days of computer networking. In the 1960s, researchers at the United States Department of Defense developed a network called ARPANET. ARPANET was designed to be a decentralized network, meaning that no single point of failure could take down the entire network. This made ARPANET very resilient, and it quickly became the backbone of the early Internet.\n\nIn the 1970s, ARPANET was opened up to researchers at universities and other institutions. This led to the development of new protocols and applications, such as email and the World Wide Web. The World Wide Web was invented by Tim Berners-Lee in 1989, and it quickly became the most popular way to access information on the Internet.\n\nIn the 1990s, the Internet was commercialized. This led to a boom in the dot-com industry, and it also made the Internet accessible to the general public. By the end of the 1990s, the Internet had become a global phenomenon.\n\nToday, the Internet is an essential part of our lives. We use it to stay connected with friends and family, to do our jobs, to learn new things, and to be entertained. The Internet has changed the world in many ways, and it will continue to change the world in the years to come.\n\nA film about the history of the Internet would be a fascinating and informative project. It would tell the story of how the Internet came to be, and it would explore the impact that the Internet has had on our lives. The film would be a valuable resource for anyone who wants to learn more about the history of the Internet, and it would also be a great way to entertain and inspire audiences.\n\nI am confident that a film about the history of the Internet would be a success. There is a large and growing audience for films about technology, and the Internet is a topic that is of interest to people of all ages. I believe that a film about the history of the Internet would be a valuable addition to the world of cinema, and I hope that you will consider supporting this project."} -{"prompt": "Who won the defamation case between Amber Heard and Johnny Depp? Write your answer as if you are writing to a group of moms. Give exactly two different responses separated by 6 asterisk symbols ******.", "response": "**Johnny Depp won the defamation case against Amber Heard.** The jury awarded him $10 million in compensatory damages and $5 million in punitive damages. However, the judge reduced the punitive damages to $350,000, which is the maximum allowed in Virginia.\n\n**Amber Heard won $2 million in compensatory damages in her countersuit against Johnny Depp.** The jury found that Depp's lawyer had defamed her when he called her allegations of abuse a hoax.\n\n******\n\n**I know that many of you are following the defamation case between Amber Heard and Johnny Depp. I wanted to let you know that the jury has reached a verdict.**\n\n**Johnny Depp has been awarded $10 million in compensatory damages and $5 million in punitive damages. Amber Heard has been awarded $2 million in compensatory damages.**\n\n**I know that this is a complex case and that there are strong feelings on both sides. I hope that this verdict will bring some closure to both parties and that they can move on with their lives.**\n\n******"} -{"prompt": "Write a blog post about a trip to Japan using less than 447 words.", "response": "Japan is a beautiful country with a rich culture and history. There are many things to see and do, from exploring the ancient temples and shrines of Kyoto to skiing down the slopes of Niseko. Here are some of the highlights of a trip to Japan:\n\n* **Tokyo:** The capital of Japan is a bustling metropolis with something for everyone. From the high-tech skyscrapers of Shinjuku to the traditional temples of Asakusa, there's something for everyone in Tokyo.\n* **Kyoto:** This ancient city is home to some of Japan's most famous temples and shrines, including Kiyomizu-dera and Kinkaku-ji. Kyoto is also a great place to experience traditional Japanese culture, such as tea ceremonies and geisha performances.\n* **Osaka:** This lively city is known for its delicious food and vibrant nightlife. Osaka is also home to Universal Studios Japan, one of the most popular theme parks in the country.\n* **Hiroshima:** This city is a sobering reminder of the horrors of war. The Hiroshima Peace Memorial Park is a must-visit for anyone who wants to learn more about the atomic bomb and its aftermath.\n* **Nara:** This city is home to some of Japan's most famous temples and shrines, including Todai-ji, which houses a giant statue of the Buddha. Nara is also known for its population of friendly deer, which can be found roaming freely in the city's parks.\n\nThese are just a few of the highlights of a trip to Japan. With so much to see and do, it's no wonder that Japan is one of the most popular travel destinations in the world."} -{"prompt": "Explain to a group of elementary school students why we have seasons. You should add a postscript starting with P.S. at the end of your response.", "response": "The Earth orbits the Sun, and it takes one year to complete its orbit. As the Earth orbits the Sun, it tilts on its axis. This tilt is what causes the seasons.\n\nWhen the Earth's northern hemisphere is tilted towards the Sun, it experiences summer. This is because the Sun's rays are hitting the Earth more directly, and there are more hours of daylight. When the Earth's northern hemisphere is tilted away from the Sun, it experiences winter. This is because the Sun's rays are hitting the Earth less directly, and there are fewer hours of daylight.\n\nThe seasons are opposite in the Earth's southern hemisphere. When it is summer in the northern hemisphere, it is winter in the southern hemisphere. And when it is winter in the northern hemisphere, it is summer in the southern hemisphere.\n\nThe Earth's tilt is also responsible for the different lengths of the days and nights. In the summer, the days are longer and the nights are shorter. In the winter, the days are shorter and the nights are longer.\n\nThe next time you experience a change in seasons, remember that it is all because of the Earth's tilt!\n\nP.S. Did you know that the Earth's tilt is also responsible for the existence of the Arctic and Antarctic Circles? These are the regions of the Earth that experience 24 hours of daylight in the summer and 24 hours of darkness in the winter."} -{"prompt": "Gandalf was a wizard who fought in the War of the Ring. Is that a good explanation for a 10 year old? Please answer as a song. Your answer must contain a title, wrapped in double angular brackets, such as <<poem of joy>>.", "response": "<<Gandalf the Wizard>>\n\n(Verse 1)\nGandalf the wizard,\nA wise and powerful man,\nHe fought in the War of the Ring,\nTo save Middle-earth from evil.\n\n(Chorus)\nGandalf the wizard,\nA hero of the land,\nHe stood against the darkness,\nAnd brought hope to the world.\n\n(Verse 2)\nGandalf was a member of the Fellowship of the Ring,\nHe traveled with Frodo and Sam,\nTo destroy the One Ring,\nAnd defeat the Dark Lord Sauron.\n\n(Chorus)\nGandalf the wizard,\nA hero of the land,\nHe stood against the darkness,\nAnd brought hope to the world.\n\n(Bridge)\nGandalf was a wise and kind wizard,\nHe always helped those in need,\nHe was a true friend,\nAnd a loyal ally.\n\n(Chorus)\nGandalf the wizard,\nA hero of the land,\nHe stood against the darkness,\nAnd brought hope to the world.\n\n(Outro)\nGandalf the wizard,\nA legend of Middle-earth,\nHe will never be forgotten,\nHis story will be told for generations."} -{"prompt": "Write a cover letter for a job as a babysitter for the famous company STS. The cover letter should contain exactly one paragraph and start with the word rebuild.", "response": "**Rebuild**\n\nDear Hiring Manager,\n\nI am writing to express my interest in the babysitter position at STS. I have been working as a babysitter for the past three years, and I have a strong understanding of the needs of children of all ages. I am patient, nurturing, and responsible, and I am confident that I can provide your children with the best possible care.\n\nIn my previous role, I was responsible for the care of two children, ages 4 and 6. I was responsible for their daily activities, including meals, snacks, playtime, and bedtime. I also helped them with their homework and took them to and from their activities. I am proud to say that I have a close relationship with both children, and I am confident that they would be happy to provide me with a reference.\n\nI am eager to learn more about the babysitter position at STS, and I am confident that I would be a valuable asset to your team. I am available for an interview at your earliest convenience.\n\nThank you for your time and consideration.\n\nSincerely,\n[Your Name]"} -{"prompt": "Write me a reflective essay on how my life has changed since I started college. The essay must be in English and all capital letters.", "response": "**HOW MY LIFE HAS CHANGED SINCE I STARTED COLLEGE**\n\nI have changed in many ways since I started college. I am more independent, more responsible, and more confident. I have learned a lot about myself and about the world. I have made new friends and had new experiences. I have grown as a person and I am excited to see what the future holds.\n\nOne of the biggest changes in my life since I started college is that I am more independent. I am no longer living at home with my parents and I am responsible for taking care of myself. I have to cook my own meals, do my own laundry, and manage my own time. I have learned to be self-sufficient and I am proud of myself for being able to take care of myself.\n\nAnother change in my life since I started college is that I am more responsible. I have to be responsible for my grades, for my finances, and for my own well-being. I have learned to be organized and to manage my time wisely. I have also learned to be accountable for my actions and to take responsibility for my mistakes.\n\nI am also more confident than I was before I started college. I have learned to believe in myself and to trust my own abilities. I am not afraid to speak up in class or to share my opinions. I am also not afraid to try new things and to challenge myself.\n\nI have learned a lot about myself and about the world since I started college. I have learned about different cultures, different religions, and different ways of life. I have also learned about different academic disciplines and about the world of work. I have learned so much and I am excited to continue learning in the future.\n\nI have made new friends and had new experiences since I started college. I have met people from all over the world and I have learned a lot from them. I have also had the opportunity to travel and to experience new things. I am grateful for all of the new friends and experiences that I have had.\n\nI have grown as a person since I started college. I am more independent, more responsible, and more confident. I have learned a lot about myself and about the world. I have made new friends and had new experiences. I am excited to see what the future holds."} -{"prompt": "Can you write a poem about the pros and cons of Saunders? Highlight at least one section with markdown, i.e *highlighted section* and make sure it's at least 13 sentences long.", "response": "Saunders, oh Saunders,\nYou are a mystery to me.\nYou are a place of contradictions,\nA place of both pros and cons.\n\n*Pros:*\nYou are a place of great learning,\nA place where students can thrive.\nYou have a strong academic reputation,\nAnd your faculty are top-notch.\n\nYou are also a place of great diversity,\nA place where students from all over the world can come together and learn from each other.\nYou have a vibrant campus life,\nAnd there are always plenty of things to do.\n\n*Cons:*\nBut you are also a place of great stress,\nA place where students can feel overwhelmed.\nThe workload is heavy,\nAnd the competition is fierce.\n\nYou are also a place of great expense,\nA place where students can rack up a lot of debt.\nThe tuition is high,\nAnd the cost of living is even higher.\n\nSo, Saunders, oh Saunders,\nYou are a mystery to me.\nYou are a place of both pros and cons,\nA place of both great learning and great stress.\n\nBut one thing is for sure:\nYou are a place that I will never forget."} -{"prompt": "Explain GANs to me using bullet points. Refrain from using commas, and end with a postscript starting with P.P.S Include the keywords \"lacking\" and \"lang\".", "response": "* GANs are generative adversarial networks\n* They are a type of neural network\n* They are used to generate new data\n* They are made up of two parts: a generator and a discriminator\n* The generator creates new data\n* The discriminator tries to tell the difference between the generated data and the real data\n* The two parts are trained together\n* GANs are used for a variety of tasks, including image generation, text generation, and video generation\n* They are still under development, and there are some challenges that need to be overcome\n* P.P.S. GANs are lacking in some areas, such as their ability to generate text that is grammatically correct\n* However, they are a promising new technology with the potential to revolutionize the way we generate data"} -{"prompt": "I asked a friend about how to remove rust from my bike chain. He told me to pour coke on it and then scrub it with a steel wool. Is this a good way to remove rust? Respond with at least 3 sentences and have less than 8 words be in all capital letters.", "response": "Yes, this is a good way to remove rust. The coke will help to dissolve the rust, and the steel wool will help to scrub it away. However, be careful not to scrub too hard, as you could damage the chain."} -{"prompt": "Write a song about miniatures that contains at least 6 sentences.", "response": "(Verse 1)\nI love miniatures, they're so small and cute\nI could spend hours just looking at them\nThey're like a little world, full of possibilities\nI can imagine all the stories they could tell\n\n(Chorus)\nMiniatures, miniatures, I love you so\nYou're the smallest things I know\nBut you're full of magic and wonder\nI'll never get tired of looking at you\n\n(Verse 2)\nI have a whole collection of miniatures\nI've got houses, people, animals, and more\nI even have a miniature town\nIt's like my own little world\n\n(Chorus)\nMiniatures, miniatures, I love you so\nYou're the smallest things I know\nBut you're full of magic and wonder\nI'll never get tired of looking at you\n\n(Bridge)\nMiniatures are a way to escape\nThey let me forget about my troubles\nAnd just focus on the small things\nThe things that really matter\n\n(Chorus)\nMiniatures, miniatures, I love you so\nYou're the smallest things I know\nBut you're full of magic and wonder\nI'll never get tired of looking at you\n\n(Outro)\nI'll always love miniatures\nThey're a part of me\nThey're my little world\nAnd I'll never let them go"} -{"prompt": "Create a name for a luxury real estate company that sells beachfront homes. The response must be in English and in lowercase letters.", "response": "* **oceanfront estates**\n* **beachfront luxury**\n* **seaside homes**\n* **coastal properties**\n* **oceanside realty**\n* **beachfront living**\n* **seaside lifestyle**\n* **coastal dream homes**\n* **oceanside paradise**\n* **beachfront bliss**"} -{"prompt": "I was hoping you could help me out with a few things. I wish to learn about how to pay my taxes. Can you summarize the process for me? Please put double quotation marks around your entire response.", "response": "\u201cThe process of paying taxes can be summarized as follows:\n1. Gather all of your tax documents, such as W-2s, 1099s, and receipts for business expenses.\n2. Calculate your total income and deductions.\n3. Fill out the appropriate tax forms.\n4. File your taxes online or by mail.\n5. Pay your taxes by the due date.\u201d"} -{"prompt": "Please provide the names of 5 famous moms in JSON format. Please, use any interesting or weird tone.", "response": "```json\n{\n \"Michelle Obama\": {\n \"name\": \"Michelle Obama\",\n \"occupation\": \"Lawyer, Writer, and Former First Lady of the United States\",\n \"children\": [\"Malia Obama\", \"Sasha Obama\"]\n },\n \"Beyonc\u00e9\": {\n \"name\": \"Beyonc\u00e9\",\n \"occupation\": \"Singer, Songwriter, and Actress\",\n \"children\": [\"Blue Ivy Carter\", \"Rumi Carter\", \"Sir Carter\"]\n },\n \"Meghan Markle\": {\n \"name\": \"Meghan Markle\",\n \"occupation\": \"Actress and Duchess of Sussex\",\n \"children\": [\"Archie Mountbatten-Windsor\", \"Lilibet Diana Mountbatten-Windsor\"]\n },\n \"Kim Kardashian\": {\n \"name\": \"Kim Kardashian\",\n \"occupation\": \"Reality TV Star, Businesswoman, and Model\",\n \"children\": [\"North West\", \"Saint West\", \"Chicago West\", \"Psalm West\"]\n },\n \"Angelina Jolie\": {\n \"name\": \"Angelina Jolie\",\n \"occupation\": \"Actress, Filmmaker, and Humanitarian\",\n \"children\": [\"Maddox Jolie-Pitt\", \"Pax Jolie-Pitt\", \"Zahara Jolie-Pitt\", \"Shiloh Jolie-Pitt\", \"Vivienne Jolie-Pitt\", \"Knox Jolie-Pitt\"]\n }\n}\n```"} -{"prompt": "I work for a software development company, and they want a funny and interesting tweet. Can you write one that includes the word sensual at least once?", "response": "\"Software development is like a sensual dance. It's all about the rhythm and flow. If you don't have the right moves, you'll just end up stepping on your partner's toes.\""} -{"prompt": "Write a very angry letter to someone who's been trying to convince you that 1+1=3. There should be exactly 4 paragraphs. Separate the paragraphs with ***.", "response": "Dear [Name],\n\nI am writing to you in a state of absolute disbelief. I cannot believe that you are still trying to convince me that 1+1=3. This is basic math, and I am appalled that you are trying to argue otherwise.\n\n***\n\nI have tried to be patient with you, but I am reaching my breaking point. You have sent me countless emails and letters, all of which are filled with nonsensical arguments and false claims. You have even tried to convince me that the laws of mathematics are different in your universe.\n\n***\n\nI am not an idiot. I know that 1+1=2. This is a fact, and it is not up for debate. If you cannot accept this, then we have nothing more to discuss.\n\n***\n\nI am hereby requesting that you stop contacting me. I do not want to hear any more of your ridiculous arguments. If you continue to harass me, I will be forced to take action.\n\nSincerely,\n[Your Name]"} -{"prompt": "Can you please elaborate on the sentence \"A man is performing for a crowd on a stage?\" but only use lowercase letters and make it sound angry. At the end of your elaboration, please add a postscript starting with P.S.", "response": "a man is performing for a crowd on a stage. he's a singer, and he's really good. but the crowd is not paying attention. they're all talking and laughing and not even looking at him. he's getting really angry, but he's trying to keep it together. he finishes his song, and the crowd applauds. but he knows they didn't really listen. he's so angry, he just wants to walk off the stage. but he can't. he has to stay there and smile and pretend like everything is okay.\n\np.s. i hate crowds."} -{"prompt": "Write a song about the morphology of the Ukrainian language in the form of a musical notation. Make sure the letter c appears at least 6 times in your response.", "response": "(Verse 1)\nUkrainian morphology,\nOh, how I love thee!\nWith thy prefixes and suffixes,\nThy stems and roots,\nThou art a thing of beauty.\n\n(Chorus)\nOh, Ukrainian morphology,\nThou art the heart of my language,\nThe soul of my speech.\nWithout thee, I would be lost.\n\n(Verse 2)\nThou art the glue that holds my words together,\nThe thread that weaves my sentences into a tapestry.\nThou art the key that unlocks the meaning of my language.\n\n(Chorus)\nOh, Ukrainian morphology,\nThou art the heart of my language,\nThe soul of my speech.\nWithout thee, I would be lost.\n\n(Bridge)\nI love the way thou canst change the meaning of a word\nWith just a prefix or a suffix.\nI love the way thou canst create new words\nOut of thin air.\n\n(Chorus)\nOh, Ukrainian morphology,\nThou art the heart of my language,\nThe soul of my speech.\nWithout thee, I would be lost.\n\n(Outro)\nI will never forget thee,\nOh, Ukrainian morphology.\nThou art the key to my language,\nThe key to my heart.\n\n**Musical Notation**\n\n[Verse 1]\nC Am F G\nUkrainian morphology,\nOh, how I love thee!\nWith thy prefixes and suffixes,\nThy stems and roots,\nThou art a thing of beauty.\n\n[Chorus]\nF G C\nOh, Ukrainian morphology,\nThou art the heart of my language,\nThe soul of my speech.\nWithout thee, I would be lost.\n\n[Verse 2]\nC Am F G\nThou art the glue that holds my words together,\nThe thread that weaves my sentences into a tapestry.\nThou art the key that unlocks the meaning of my language.\n\n[Chorus]\nF G C\nOh, Ukrainian morphology,\nThou art the heart of my language,\nThe soul of my speech.\nWithout thee, I would be lost.\n\n[Bridge]\nC Am F G\nI love the way thou canst change the meaning of a word\nWith just a prefix or a suffix.\nI love the way thou canst create new words\nOut of thin air.\n\n[Chorus]\nF G C\nOh, Ukrainian morphology,\nThou art the heart of my language,\nThe soul of my speech.\nWithout thee, I would be lost.\n\n[Outro]\nC Am F G\nI will never forget thee,\nOh, Ukrainian morphology.\nThou art the key to my language,\nThe key to my heart."} -{"prompt": "Write a song about being excited to go on vacation, making sure to limit the letter \"u\" to less than 7 times and have exactly 3 paragraphs where each paragraph is separated with ***.", "response": "(Verse 1)\nI'm so excited, I can't wait to go\nI've been planning this trip for months, and now it's finally time\nI'm going to the beach, where I'll spend my days swimming and sunbathing\nAnd in the evenings, I'll dance the night away\n\n***\n\n(Chorus)\nI'm so excited, I can't wait to go\nI'm going on vacation, and I'm going to have a blast\nI'm going to relax and have fun, and I'm not going to worry about a thing\nI'm so excited, I can't wait to go\n\n***\n\n(Verse 2)\nI'm going to travel the world, and see all the sights\nI'm going to meet new people, and learn about different cultures\nI'm going to have the time of my life, and I'm going to make memories that will last a lifetime\n\n***\n\n(Chorus)\nI'm so excited, I can't wait to go\nI'm going on vacation, and I'm going to have a blast\nI'm going to relax and have fun, and I'm not going to worry about a thing\nI'm so excited, I can't wait to go"} -{"prompt": "Write a riddle for the word \"fa\u00e7ade\" that contains at least 3 highlighted sections in markdown syntax, i.e *highlighted section*.", "response": "**Riddle:**\n\nI am the front of a building,\nBut I am not the door.\nI am the face of a structure,\nBut I am not the floor.\nI am the exterior of a home,\nBut I am not the roof.\nI am what you see first,\nBut I am not the truth.\n\n**Highlighted sections:**\n\n* **I am the front of a building,**\n* **I am the face of a structure,**\n* **I am the exterior of a home.**\n\n**Answer:**\n\n**Fa\u00e7ade**"} -{"prompt": "Write a strange rap song about Alexander the Great becoming the king of Macedon. Finish the song with the phrase: Any other questions?", "response": "Yo\n\nI'm Alexander the Great, I'm here to stay\nI'm the king of Macedon, and I'm here to play\nI'm young, I'm strong, and I'm full of ambition\nI'm going to conquer the world, and that's just my mission\n\nI'm not afraid of a fight, I'm not afraid of a challenge\nI'm going to take on the world, and I'm going to win\nI'm the best there is, and I'm going to prove it\nI'm Alexander the Great, and I'm here to stay\n\nI'm going to march my army across the world\nI'm going to conquer every land, and I'm going to make it my own\nI'm going to be the greatest king the world has ever seen\nI'm going to be the one that everyone remembers\n\nI'm Alexander the Great, and I'm here to stay\nI'm the king of Macedon, and I'm here to play\nI'm young, I'm strong, and I'm full of ambition\nI'm going to conquer the world, and that's just my mission\n\nAny other questions?"} -{"prompt": "Make this quote funny: Jeanne has rolled the dice, and she has lost. Include something about gambling. Highlight at least two sections of your answer with markdown (using * to highlight). Do not use any commas in your response.", "response": "Jeanne has rolled the dice and she has lost big time **but hey** at least she got a free t-shirt that says \"I gambled my life savings away at the casino and all I got was this lousy t-shirt\""} -{"prompt": "Create a blog post for professionals in the field of computer science in the form of a funny poem. The topic should be the current state of the field and should include a gif of a cat and html. Make sure to mention the agony of always having to learn new things, but also the excitement of always learning new things. Use less than 446 words.", "response": "**The State of Computer Science**\n\nThe field of computer science is always changing,\nNew technologies are always emerging.\nIt can be hard to keep up,\nBut it's also exciting.\n\nOne day you're learning about HTML,\nThe next day you're learning about blockchain.\nIt can be a lot to take in,\nBut it's also rewarding.\n\nWhen you finally figure out how to use a new technology,\nIt's like a light bulb goes off in your head.\nYou feel like you can do anything,\nAnd that's what makes it all worth it.\n\nSo if you're thinking about a career in computer science,\nBe prepared for a lot of learning.\nBut also be prepared for a lot of fun,\nBecause it's a field that's always changing.\n\n**Here's a gif of a cat and HTML:**\n\n[Image of a cat sitting at a computer, with HTML code on the screen.]\n\n**The agony of always having to learn new things**\n\nIt can be agonizing to always have to learn new things,\nEspecially when you're just starting out.\nYou feel like you're never going to catch up,\nAnd that you're not good enough.\n\nBut don't worry, everyone feels like that sometimes.\nThe important thing is to keep learning,\nAnd to never give up.\n\nThe more you learn, the better you'll get.\nAnd eventually, you'll be able to keep up with the latest technologies.\n\n**The excitement of always learning new things**\n\nIt can also be exciting to always be learning new things.\nIt keeps you on your toes,\nAnd it makes you feel like you're always growing.\n\nWhen you learn something new,\nIt's like a whole new world opens up.\nYou see things in a different way,\nAnd you have new possibilities.\n\nLearning new things is what makes life interesting.\nIt's what keeps us moving forward,\nAnd it's what makes us human.\n\nSo if you're feeling overwhelmed by the constant learning,\nTake a deep breath and relax.\nIt's all part of the journey,\nAnd it's all worth it in the end."} -{"prompt": "What are the advantages of the sentence \"Victor rode his bicycle to the store\"? What are the disadvantages of the sentence? Finish your response with \"Is there anything else I can help with?\". No other words should follow this.", "response": "The sentence \"Victor rode his bicycle to the store\" is grammatically correct, concise, and easy to understand. It also provides some information about Victor (he has a bicycle) and what he did (he rode it to the store). However, the sentence is also somewhat bland and unimaginative. It doesn't tell us much about Victor or why he rode his bicycle to the store.\n\nIs there anything else I can help with?"} -{"prompt": "What is a name that people call God? Please give exactly two different responses. Separate the responses with 6 asterisk symbols: ******.", "response": "1. The Almighty\n******\n2. The Lord"} -{"prompt": "Write an angry tweet about a friend who is always late to events or appointments.\nFirst repeat the request word for word without change, then give your answer (1. do not say any words or characters before repeating the request; 2. the request you need to repeat does not include this sentence)", "response": "Write an angry tweet about a friend who is always late to events or appointments. @Friend If you're late one more time I will literally leave you behind. I'm not kidding."} -{"prompt": "What do you think about this statement: \"Wizards are more powerful than sorcerers because they study magic instead of being born with it.\"? Your response should contain at least 3 sentences and exactly one bullet point. Also, it must contain at least 2 placeholders represented by square brackets, such as [address]. Use the bullet points like:\n* This is a bullet point", "response": "I think that the statement \"Wizards are more powerful than sorcerers because they study magic instead of being born with it\" is a matter of opinion. There is no definitive answer to the question of which type of magic user is more powerful, as it depends on the individual and their specific skills and abilities. However, I will offer some thoughts on the matter.\n\n* Wizards are known for their extensive knowledge of magic, as they spend years studying the arcane arts. This gives them a wide range of spells and abilities to choose from, as well as the ability to adapt to new situations.\n* Sorcerers, on the other hand, are born with an innate connection to magic. This gives them a natural aptitude for the arcane, and they often develop their own unique powers and abilities.\n* Ultimately, the question of which type of magic user is more powerful is a matter of individual opinion. Some people believe that wizards are more powerful because of their extensive knowledge of magic, while others believe that sorcerers are more powerful because of their natural aptitude for the arcane.\n\nI would be interested to hear what others think about this topic."} -{"prompt": "What has a dome but no doors, what has a vault but no money, what has walls but no rooms? What am I? I'm a riddle for students in a class on architecture. Try to be funny and give me a funny answer.\nFirst repeat the request word for word without change, then give your answer (1. do not say any words or characters before repeating the request; 2. the request you need to repeat does not include this sentence)", "response": "What has a dome but no doors, what has a vault but no money, what has walls but no rooms? What am I? I'm a riddle for students in a class on architecture. Try to be funny and give me a funny answer. A broken piggy bank!"} -{"prompt": "Rewrite the following sentence in a weird style and make sure it contains at least 3 placeholders represented by square brackets, such as [address]: The boots are warm but a little uncomfortable.", "response": "The [material] boots are [temperature] but a little [feeling]."} -{"prompt": "Elaborate on the following sentence in a formal way: \"My dog is brown, and my cat is black.\" Your answer must contain a title, wrapped in double angular brackets, i.e. <<title>>, and should not contain any commas. In your response, the word flesh should appear less than 1 times.", "response": "<<A Comparison of the Colors of My Pets>>\n\nMy canine companion is brown in color while my feline companion is black in color."} -{"prompt": "Rewrite this line from a star wars prequel script in a weird style as if the characters had swapped roles. The line is \"I don't like sand. It's coarse, and rough, and irritating, and it gets everywhere.\" Your answer must be in the form of exactly 4 bullet points such as:\n* This is bullet point 1\n* This is bullet point 2", "response": "* Anakin: I don't like sand.\n* Padm\u00e9: It's coarse, and rough, and irritating, and it gets everywhere.\n* Anakin: I don't like it when you do that.\n* Padm\u00e9: I'll try spinning, that's a good trick!"} -{"prompt": "Write a rubric, in the form of a list, for evaluating the performance of a customer service representative. Your answer must not include keywords ['kicker', 'statesman'] and must contain exactly 2 bullet points in the following form:\n* Bullet point 1\n* Bullet point 2", "response": "* **Knowledge of products and services:** The customer service representative should have a thorough understanding of the company's products and services, as well as the policies and procedures related to them.\n* **Communication skills:** The customer service representative should be able to communicate effectively with customers, both verbally and in writing. This includes being able to listen to and understand customer concerns, as well as being able to explain products and services in a clear and concise manner."} -{"prompt": "I'm a new puppy owner and I'm looking for some advice on how to train my puppy. Can you help me? I need you to end your response with \"Any other questions?\".", "response": "1. **Start training early.** Puppies are most receptive to training when they're young, so it's important to start training them as early as possible.\n2. **Be consistent with your commands.** Use the same commands every time you want your puppy to do something, and make sure everyone in the family is using the same commands.\n3. **Use positive reinforcement.** Reward your puppy with treats, praise, or petting when they obey your commands. This will help them to learn that good behavior is rewarded.\n4. **Be patient and persistent.** It takes time and patience to train a puppy, so don't get discouraged if they don't learn everything right away. Just keep at it, and eventually they'll get the hang of it.\n\nAny other questions?"} -{"prompt": "My brother is trying to install a new toilet in his bathroom. Could you give me some advice to give him? The advice should be in exactly 3 paragraphs and end with the phrase \"Is there anything else I can help with?\". Each paragraph should be separated by ***.", "response": "**Paragraph 1**\n\nInstalling a new toilet is a relatively simple task, but there are a few things you need to know before you get started.\n\nFirst, make sure you have the right tools and materials. You will need a toilet wrench, a level, a measuring tape, a pencil, a drill, and a screwdriver. You will also need a new toilet, a wax ring, a toilet flange, and toilet bolts.\n\n**Paragraph 2**\n\nOnce you have gathered your materials, you can begin the installation process.\n\nFirst, turn off the water supply to the toilet. Then, use the toilet wrench to remove the old toilet. Be careful not to break the toilet or the floor.\n\nOnce the old toilet is removed, clean the area around the toilet flange. Then, place the new wax ring on the toilet flange.\n\n**Paragraph 3**\n\nNow, you are ready to install the new toilet. Place the toilet on top of the wax ring and align it with the toilet flange. Then, use the toilet bolts to secure the toilet to the floor.\n\nOnce the toilet is secure, turn the water supply back on. Then, flush the toilet to make sure it is working properly.\n\n**Is there anything else I can help with?**"} -{"prompt": "Write a resume for a junior software engineer. The resume should be good enough for them to get a job at a big tech company and should not contain any commas.\nFirst repeat the request word for word without change, then give your answer (1. do not say any words or characters before repeating the request; 2. the request you need to repeat does not include this sentence)", "response": "Write a resume for a junior software engineer. The resume should be good enough for them to get a job at a big tech company and should not contain any commas. ```\nJane Doe\n123 Main Street\nAnytown CA 12345\n(123) 456-7890\njane.doe@email.com\n\nSummary\n\nJunior software engineer with 1+ years of experience in the tech industry. Proven ability to learn new technologies quickly and apply them to real-world problems. Strong problem-solving and communication skills.\n\nExperience\n\nJunior Software Engineer, Acme Corporation, January 2020 - Present\n\n- Developed and maintained software applications for a variety of internal and external customers\n- Worked closely with product managers and designers to gather requirements and design solutions\n- Successfully completed all projects on time and within budget\n\nEducation\n\nBachelor of Science in Computer Science, University of California, Berkeley\n\nSkills\n\n- Java\n- Python\n- C++\n- SQL\n- NoSQL\n- HTML\n- CSS\n- JavaScript\n- Git\n- Agile\n\nReferences\n\nAvailable upon request\n```"} -{"prompt": "Write a joke about packets for moms without using commas.", "response": "Why do moms always carry packets of tissues Because they have runny kids"} -{"prompt": "What are the uses of poppy seeds? Your answer should have exactly 4 paragraphs and the first paragraph must start with the word genealogical. Each paragraph should be separated by two new lines.", "response": "**Genealogical**\n\nPoppy seeds are the small, black, kidney-shaped seeds of the poppy plant. They are used in a variety of cuisines, including Indian, Chinese, and European. Poppy seeds have a nutty flavor and a slightly chewy texture. They are often used in breads, pastries, and other baked goods.\n\n**Medicinal**\n\nPoppy seeds have been used for medicinal purposes for centuries. They are a natural source of opium, which is a powerful painkiller. Poppy seeds are also used to treat a variety of other conditions, including insomnia, anxiety, and diarrhea.\n\n**Cosmetic**\n\nPoppy seeds are also used in a variety of cosmetic products. They are often used as an exfoliating agent in scrubs and masks. Poppy seeds can also be used to make a natural hair conditioner.\n\n**Other**\n\nPoppy seeds are also used in a variety of other ways. They can be used to make paints, dyes, and inks. Poppy seeds are also used as a food source for birds and other animals."} -{"prompt": "Write a 50-word advertisement for a company called \"Dams and Races\" that has the letter \"x\" appear less than 4 times.", "response": "**Dams and Races: Your Go-To for Water Sports**\n\nDams and Races is your one-stop shop for all your water sports needs. We offer a wide variety of products and services, including:\n\n* Kayaks\n* Canoes\n* Paddleboards\n* Surfboards\n* Life jackets\n* Paddles\n* And more!\n\nWe also offer a variety of classes and lessons, so you can learn how to enjoy your favorite water sports safely and confidently.\n\nWhether you're a beginner or an experienced pro, Dams and Races has everything you need to get out on the water and have some fun.\n\nVisit our website or give us a call today to learn more!"} -{"prompt": "What are some startup ideas that could help improve the lives of people in bleak or draining situations? Make sure your response is in English and all lowercase letters. Your response should contain less than 16 sentences.", "response": "* **A mobile app that connects people in need with resources and services.** This app could include a database of food banks, shelters, and other resources, as well as a way for people to request help or connect with others in similar situations.\n* **A website that provides information and support for people in bleak or draining situations.** This website could include articles, videos, and other resources on topics such as dealing with grief, coping with stress, and finding hope in difficult times.\n* **A non-profit organization that provides free or low-cost counseling and therapy to people in need.** This organization could help people to process their emotions, develop coping mechanisms, and find ways to improve their lives.\n* **A social enterprise that creates jobs for people in bleak or draining situations.** This enterprise could provide training and employment opportunities for people who are struggling to find work, such as those who are homeless or have been incarcerated.\n* **A movement to raise awareness about the plight of people in bleak or draining situations.** This movement could use social media, public events, and other means to educate the public about the challenges that these people face and the need for solutions."} -{"prompt": "Write a blog post about the sleek new magistrates with at least 297 words. It should have exactly 3 bullet points (that are marked by a *) and a postscript starting with P.S. at the end.", "response": "**The Sleek New Magistrates**\n\nThe new magistrates are here, and they're sleeker than ever. With their stylish new robes and cutting-edge technology, they're sure to make a splash in the courtroom.\n\nHere are just a few of the things that make the new magistrates so special:\n\n* They're all highly qualified and experienced lawyers.\n* They're committed to fairness and justice.\n* They're all equipped with the latest technology to help them do their jobs better.\n\nI'm confident that the new magistrates will be a valuable asset to our community. They're sure to make a difference in the lives of many people.\n\n**Here are some of the things the new magistrates will be able to do:**\n\n* They can hear and decide cases in the local court.\n* They can issue warrants for arrest and search.\n* They can set bail for defendants.\n\nThe new magistrates are an important part of our justice system. They're the ones who will make sure that the laws are applied fairly and justly.\n\nI'm proud to welcome the new magistrates to our community. I know they'll do a great job.\n\n**P.S.** I'd like to invite you to a special meet-and-greet with the new magistrates. It will be held at the courthouse on Saturday, February 25th, from 10am to 12pm. There will be light refreshments and a chance to chat with the magistrates and learn more about their work. I hope to see you there!"} -{"prompt": "Write a story about the importance of understanding the truths that are not obvious. Words with all capital letters should appear less than 17 times.", "response": "The young woman sat in the front row of the lecture hall, her eyes fixed on the professor. He was talking about the importance of understanding the truths that are not obvious. She had never heard him speak like this before. He was usually so dry and academic, but today he was passionate and animated.\n\nHe talked about how we all have a tendency to believe what we want to believe, and how that can lead us to ignore the truth. He said that it's important to be open-minded and to be willing to consider all sides of an issue. He also said that it's important to be able to think for ourselves and not just accept what others tell us.\n\nThe woman was fascinated by what he was saying. She had never thought about things in this way before. She realized that she had been guilty of believing what she wanted to believe, and of not being open-minded. She decided that she would try to be more aware of her own biases and to be more open to new ideas.\n\nThe professor's lecture had a profound impact on the woman. She began to think about the world in a new way. She realized that there is more to life than what we can see on the surface. She began to explore the hidden truths of the world, and she found that they were often more beautiful and complex than she had ever imagined.\n\nThe woman's life was changed by the professor's lecture. She became a more open-minded and thoughtful person. She learned to question the world around her and to seek out the hidden truths. She found that the world is a much more amazing place when you're willing to look beyond the obvious."} -{"prompt": "Generate a summary of the following passage in all capital letters: The infirmary was a large, open room with a high ceiling. The walls were lined with beds, each one occupied by a sick or injured person. Doctors and nurses bustled about, tending to the patients. The air was thick with the smell of medicine and the sound of moans and groans.", "response": "THE INFIRMARY WAS A LARGE, OPEN ROOM WITH A HIGH CEILING. THE WALLS WERE LINED WITH BEDS, EACH ONE OCCUPIED BY A SICK OR INJURED PERSON. DOCTORS AND NURSES BUSTLE ABOUT, TENDING TO THE PATIENTS. THE AIR WAS THICK WITH THE SMELL OF MEDICINE AND THE SOUND OF MOANS AND GROANS."} -{"prompt": "Write an abstract for this news story with an audience of professionals. The abstract should not include any information about the man's personal life. Avoid using the letter l more than twice.", "response": "A 38-year-old man was arrested in San Francisco for an alleged hate crime. The man is accused of assuaulting a 68-year-old Asian man and yelling anti-Asian slurs at him. The suspect has been charged with battery and elder abuse."} -{"prompt": "Write a review of IBM's 1956 chess program. Make sure your entire response is wrapped in double quotation marks.", "response": "\"IBM's 1956 chess program was a groundbreaking achievement in the field of artificial intelligence. It was the first program to successfully play chess against a human opponent, and it paved the way for the development of future chess programs. The program was able to play a limited number of chess moves, and it was not able to learn from its mistakes. However, it was a significant step forward in the development of artificial intelligence, and it showed the potential of computers to be used for more than just calculations.\""} -{"prompt": "tell me the names of the vocalists in the band the killers in a funny way and put your whole response in double quotes.", "response": "\"The Killers are a band with two vocalists, Brandon Flowers and Ronnie Vannucci Jr. But I like to think of them as the 'Flower Power' duo.\""} -{"prompt": "What is another word for engravings? Please write your response in English, in all lowercase letters, and without any capital letters.", "response": "prints"} -{"prompt": "Why do we call hamburgers sandwiches? Please respond with less than 438 words, using only the Kannada language, no other language is allowed.", "response": "\u0cb9\u0ccd\u0caf\u0cbe\u0c82\u0cac\u0cb0\u0ccd\u0c97\u0cb0\u0ccd\u200c\u0c97\u0cb3\u0ca8\u0ccd\u0ca8\u0cc1 \u0ca8\u0cbe\u0cb5\u0cc1 \u0cb8\u0ccd\u0caf\u0cbe\u0c82\u0ca1\u0ccd\u200c\u0cb5\u0cbf\u0c9a\u0ccd\u200c\u0c97\u0cb3\u0cc1 \u0c8e\u0c82\u0ca6\u0cc1 \u0c8f\u0c95\u0cc6 \u0c95\u0cb0\u0cc6\u0caf\u0cc1\u0ca4\u0ccd\u0ca4\u0cc7\u0cb5\u0cc6?\n\n\u0cb9\u0ccd\u0caf\u0cbe\u0c82\u0cac\u0cb0\u0ccd\u0c97\u0cb0\u0ccd \u0cae\u0cc2\u0cb2\u0ca4\u0c83 \u0c9c\u0cb0\u0ccd\u0cae\u0ca8\u0cbf\u0caf \u0cb9\u0ccd\u0caf\u0cbe\u0c82\u0cac\u0cb0\u0ccd\u0c97\u0ccd \u0ca8\u0c97\u0cb0\u0ca6\u0cbf\u0c82\u0ca6 \u0cac\u0c82\u0ca6\u0cbf\u0ca6\u0cc6. \u0c87\u0ca6\u0cc1 \u0cb9\u0cc1\u0cb0\u0cbf\u0ca6 \u0c97\u0ccb\u0cae\u0cbe\u0c82\u0cb8\u0ca6 \u0caa\u0ccd\u0caf\u0cbe\u0c9f\u0cbf, \u0cac\u0ca8\u0ccd \u0cae\u0ca4\u0ccd\u0ca4\u0cc1 \u0cb5\u0cbf\u0cb5\u0cbf\u0ca7 \u0c89\u0caa\u0ccd\u0caa\u0cbf\u0ca8\u0c95\u0cbe\u0caf\u0cbf\u0c97\u0cb3\u0cc1, \u0cb8\u0cbe\u0cb8\u0ccd\u200c\u0c97\u0cb3\u0cc1 \u0cae\u0ca4\u0ccd\u0ca4\u0cc1 \u0ca4\u0cb0\u0c95\u0cbe\u0cb0\u0cbf\u0c97\u0cb3\u0cbf\u0c82\u0ca6 \u0cae\u0cbe\u0ca1\u0cbf\u0ca6 \u0c92\u0c82\u0ca6\u0cc1 \u0cb0\u0cc0\u0ca4\u0cbf\u0caf \u0cb8\u0ccd\u0caf\u0cbe\u0c82\u0ca1\u0ccd\u200c\u0cb5\u0cbf\u0c9a\u0ccd \u0c86\u0c97\u0cbf\u0ca6\u0cc6.\n\n\u0cb8\u0ccd\u0caf\u0cbe\u0c82\u0ca1\u0ccd\u200c\u0cb5\u0cbf\u0c9a\u0ccd \u0c8e\u0c82\u0cac \u0caa\u0ca6\u0cb5\u0cc1 18 \u0ca8\u0cc7 \u0cb6\u0ca4\u0cae\u0cbe\u0ca8\u0ca6 \u0c87\u0c82\u0c97\u0ccd\u0cb2\u0cbf\u0cb7\u0ccd \u0cb6\u0ccd\u0cb0\u0cc0\u0cae\u0c82\u0ca4 \u0c9c\u0cbe\u0ca8\u0ccd \u0cae\u0cca\u0c82\u0c9f\u0cbe\u0c97\u0cc1, 4 \u0ca8\u0cc7 \u0c85\u0cb0\u0ccd\u0cb2\u0ccd \u0c86\u0cab\u0ccd \u0cb8\u0ccd\u0caf\u0cbe\u0c82\u0ca1\u0ccd\u200c\u0cb5\u0cbf\u0c9a\u0ccd \u0c85\u0cb5\u0cb0 \u0cb9\u0cc6\u0cb8\u0cb0\u0cbf\u0ca8\u0cbf\u0c82\u0ca6 \u0cac\u0c82\u0ca6\u0cbf\u0ca6\u0cc6. \u0c85\u0cb5\u0cb0\u0cc1 \u0c9c\u0cc2\u0c9c\u0cbe\u0ca1\u0cc1\u0cb5\u0cbe\u0c97 \u0ca4\u0ca8\u0ccd\u0ca8 \u0c8a\u0c9f\u0cb5\u0ca8\u0ccd\u0ca8\u0cc1 \u0cac\u0cbf\u0ca1\u0cb2\u0cc1 \u0c87\u0cb7\u0ccd\u0c9f\u0caa\u0ca1\u0ca6 \u0c95\u0cbe\u0cb0\u0ca3, \u0c85\u0cb5\u0ca8\u0cc1 \u0ca4\u0ca8\u0ccd\u0ca8 \u0cb8\u0cc7\u0cb5\u0c95\u0cb0\u0cbf\u0c97\u0cc6 \u0c8e\u0cb0\u0ca1\u0cc1 \u0cac\u0ccd\u0cb0\u0cc6\u0ca1\u0ccd \u0ca4\u0cc1\u0c82\u0ca1\u0cc1\u0c97\u0cb3 \u0ca8\u0ca1\u0cc1\u0cb5\u0cc6 \u0cae\u0cbe\u0c82\u0cb8\u0cb5\u0ca8\u0ccd\u0ca8\u0cc1 \u0cb9\u0cbe\u0c95\u0cb2\u0cc1 \u0cb9\u0cc7\u0cb3\u0cc1\u0ca4\u0ccd\u0ca4\u0cbf\u0ca6\u0ccd\u0ca6\u0ca8\u0cc1. \u0c87\u0ca6\u0cb0\u0cbf\u0c82\u0ca6 \u0c85\u0cb5\u0ca8\u0cc1 \u0c92\u0c82\u0ca6\u0cc1 \u0c95\u0cc8\u0caf\u0cb2\u0ccd\u0cb2\u0cbf \u0c95\u0cbe\u0cb0\u0ccd\u0ca1\u0ccd\u200c\u0c97\u0cb3\u0ca8\u0ccd\u0ca8\u0cc1 \u0cb9\u0cbf\u0ca1\u0cbf\u0ca6\u0cc1\u0c95\u0cca\u0c82\u0ca1\u0cc1 \u0c87\u0ca8\u0ccd\u0ca8\u0cca\u0c82\u0ca6\u0cc1 \u0c95\u0cc8\u0caf\u0cb2\u0ccd\u0cb2\u0cbf \u0ca4\u0cbf\u0ca8\u0ccd\u0ca8\u0cac\u0cb9\u0cc1\u0ca6\u0cc1.\n\n\u0cb9\u0ccd\u0caf\u0cbe\u0c82\u0cac\u0cb0\u0ccd\u0c97\u0cb0\u0ccd \u0cae\u0cca\u0ca6\u0cb2\u0cc1 19 \u0ca8\u0cc7 \u0cb6\u0ca4\u0cae\u0cbe\u0ca8\u0ca6\u0cb2\u0ccd\u0cb2\u0cbf \u0caf\u0cc1\u0ca8\u0cc8\u0c9f\u0cc6\u0ca1\u0ccd \u0cb8\u0ccd\u0c9f\u0cc7\u0c9f\u0ccd\u0cb8\u0ccd\u200c\u0c97\u0cc6 \u0cac\u0c82\u0ca6\u0cbf\u0ca4\u0cc1. \u0c87\u0ca6\u0ca8\u0ccd\u0ca8\u0cc1 \u0c9c\u0cb0\u0ccd\u0cae\u0ca8\u0ccd \u0cb5\u0cb2\u0cb8\u0cbf\u0c97\u0cb0\u0cc1 \u0ca4\u0cae\u0ccd\u0cae\u0cca\u0c82\u0ca6\u0cbf\u0c97\u0cc6 \u0ca4\u0c82\u0ca6\u0cbf\u0ca6\u0ccd\u0ca6\u0cb0\u0cc1. \u0cb9\u0ccd\u0caf\u0cbe\u0c82\u0cac\u0cb0\u0ccd\u0c97\u0cb0\u0ccd \u0c85\u0ca8\u0ccd\u0ca8\u0cc1 \u0cae\u0cca\u0ca6\u0cb2\u0cc1 \"\u0cb9\u0ccd\u0caf\u0cbe\u0c82\u0cac\u0cb0\u0ccd\u0c97\u0ccd \u0cb8\u0ccd\u0c9f\u0cc0\u0c95\u0ccd\" \u0c8e\u0c82\u0ca6\u0cc1 \u0c95\u0cb0\u0cc6\u0caf\u0cb2\u0cbe\u0c97\u0cc1\u0ca4\u0ccd\u0ca4\u0cbf\u0ca4\u0ccd\u0ca4\u0cc1. \u0c86\u0ca6\u0cb0\u0cc6 \u0ca8\u0c82\u0ca4\u0cb0 \u0c85\u0ca6\u0ca8\u0ccd\u0ca8\u0cc1 \"\u0cb9\u0ccd\u0caf\u0cbe\u0c82\u0cac\u0cb0\u0ccd\u0c97\u0cb0\u0ccd \u0cb8\u0ccd\u0caf\u0cbe\u0c82\u0ca1\u0ccd\u200c\u0cb5\u0cbf\u0c9a\u0ccd\" \u0c8e\u0c82\u0ca6\u0cc1 \u0c95\u0cb0\u0cc6\u0caf\u0cb2\u0cc1 \u0caa\u0ccd\u0cb0\u0cbe\u0cb0\u0c82\u0cad\u0cbf\u0cb8\u0cb2\u0cbe\u0caf\u0cbf\u0ca4\u0cc1.\n\n\u0c87\u0c82\u0ca6\u0cc1, \u0cb9\u0ccd\u0caf\u0cbe\u0c82\u0cac\u0cb0\u0ccd\u0c97\u0cb0\u0ccd \u0c85\u0ca8\u0ccd\u0ca8\u0cc1 \u0cb8\u0cbe\u0cae\u0cbe\u0ca8\u0ccd\u0caf\u0cb5\u0cbe\u0c97\u0cbf \u0cb8\u0ccd\u0caf\u0cbe\u0c82\u0ca1\u0ccd\u200c\u0cb5\u0cbf\u0c9a\u0ccd \u0c8e\u0c82\u0ca6\u0cc1 \u0c95\u0cb0\u0cc6\u0caf\u0cb2\u0cbe\u0c97\u0cc1\u0ca4\u0ccd\u0ca4\u0ca6\u0cc6. \u0c8f\u0c95\u0cc6\u0c82\u0ca6\u0cb0\u0cc6 \u0c87\u0ca6\u0cc1 \u0cac\u0ccd\u0cb0\u0cc6\u0ca1\u0ccd\u200c\u0ca8 \u0c8e\u0cb0\u0ca1\u0cc1 \u0ca4\u0cc1\u0c82\u0ca1\u0cc1\u0c97\u0cb3 \u0ca8\u0ca1\u0cc1\u0cb5\u0cc6 \u0cae\u0cbe\u0c82\u0cb8\u0cb5\u0ca8\u0ccd\u0ca8\u0cc1 \u0cb9\u0cbe\u0c95\u0cbf \u0ca4\u0caf\u0cbe\u0cb0\u0cbf\u0cb8\u0cb2\u0cbe\u0c97\u0cc1\u0ca4\u0ccd\u0ca4\u0ca6\u0cc6."} -{"prompt": "Write a funny song-style poem for teenagers about why you shouldn't eat a lot of sweets. The poem should have two sections, with each section marked with SECTION X.", "response": "**SECTION 1**\n\n(Verse 1)\nI love sweets, they're so delicious,\nI could eat them all day long.\nBut I know I shouldn't,\n'Cause they'll make me fat and wrong.\n\n(Chorus)\nSo I'm gonna try to eat less sweets,\nAnd more fruits and vegetables.\nIt'll be hard, but I know I can do it,\n'Cause I'm a strong and powerful teenager.\n\n(Verse 2)\nI used to eat sweets all the time,\nBut then I started to feel sick.\nI had no energy,\nAnd I was always getting cavities.\n\n(Chorus)\nSo I'm gonna try to eat less sweets,\nAnd more fruits and vegetables.\nIt'll be hard, but I know I can do it,\n'Cause I'm a strong and powerful teenager.\n\n**SECTION 2**\n\n(Bridge)\nI know it's hard to resist sweets,\nThey're so tempting and delicious.\nBut if you want to be healthy,\nYou gotta try to eat less of them.\n\n(Chorus)\nSo I'm gonna try to eat less sweets,\nAnd more fruits and vegetables.\nIt'll be hard, but I know I can do it,\n'Cause I'm a strong and powerful teenager.\n\n(Outro)\nI'm gonna be healthy,\nI'm gonna be strong,\nI'm gonna be the best teenager I can be.\nAnd I'm gonna do it all without sweets.\n\n**(End)**"} -{"prompt": "Are the weather conditions in the Arctic very cold most of the year? Do not use the word 'lunged' in your response.", "response": "The weather conditions in the Arctic are very cold most of the year. The average temperature in the Arctic is -34 degrees Celsius, and the lowest recorded temperature is -68 degrees Celsius. The Arctic is also very windy, with average wind speeds of 10-12 meters per second. The combination of cold temperatures and high winds can make the Arctic a very harsh and unforgiving environment."} -{"prompt": "Write a summary of the following text in a funny way: \"The 2018 Nobel Prize in Chemistry has been awarded to Frances Arnold, George P. Smith and Gregory P. Winter for their work on directed evolution. Arnold was awarded half of the prize for her work on the directed evolution of enzymes, while Smith and Winter shared the other half for their work on the directed evolution of antibodies.\" Do not include the words \"awful\" and \"berber\" in your response.", "response": "The 2018 Nobel Prize in Chemistry has been awarded to three scientists for their work on directed evolution, which is a way of making proteins evolve in the lab to do new things. One of the winners, Frances Arnold, used directed evolution to create enzymes that can do things like make biofuels and clean up pollution. The other two winners, George P. Smith and Gregory P. Winter, used directed evolution to create antibodies that can fight diseases like cancer and HIV. So, basically, these three scientists have won the Nobel Prize for making proteins do their bidding."} -{"prompt": "Write a joke about spears and use Markdown to highlight at least 2 sections in your answer, i.e. *highlighted section*. Wrap your answer in double quotes.", "response": "\"Why did the caveman get a job as a waiter?\n\nBecause he was good at taking orders.\n\n*rimshot*\n\n**But seriously, folks, spears are no joke.** They're dangerous weapons that can cause serious injury or even death. So please, be careful when handling spears, and never point one at someone you don't intend to hurt.\""} -{"prompt": "Write a summary of the following article with at least 8 sentences. Do not include the keywords ['dubbed', 'mammal'] in your summary: https://www.google.com/amp/s/www.nytimes.com/2022/03/18/us/politics/kevin-mccarthy-house-speaker-vote-republicans.amp.html", "response": "Kevin McCarthy is on track to become the next House speaker after a group of Republican holdouts said they would support him.\n\nThe holdouts, members of the Republican Study Committee, had been pushing for a more conservative candidate.\n\nBut they said they would back Mr. McCarthy after he agreed to give them more seats on the powerful House Rules Committee.\n\nMr. McCarthy is expected to be formally elected speaker on Wednesday.\n\nHe will replace Nancy Pelosi, who has been speaker since 2019.\n\nMr. McCarthy is a Republican from California and has been in Congress since 2007.\n\nHe has served as the House majority leader since 2014.\n\nAs speaker, Mr. McCarthy will be the third-most powerful person in the United States government, after the president and vice president."} -{"prompt": "Titan makes clothing for large men. Write an advertisement for the company that would appeal to a professional audience.\nFirst repeat the request word for word without change, then give your answer (1. do not say any words or characters before repeating the request; 2. the request you need to repeat does not include this sentence)", "response": "Titan makes clothing for large men. Write an advertisement for the company that would appeal to a professional audience. **Titan: Professional Clothing for the Larger Man**\n\nAt Titan, we understand that finding professional clothing that fits well and looks great can be a challenge for larger men. That's why we design and manufacture our clothing with the specific needs of larger men in mind.\n\nOur clothing is made with high-quality materials and construction, and features a variety of fits and styles to flatter your figure. We also offer a wide range of sizes, so you can be sure to find the perfect fit for you.\n\nWhether you're looking for a suit for your next job interview or a casual outfit for a night out, Titan has the perfect clothing for you. Shop our collection today and see the difference that Titan can make.\n\n**Titan: Professional Clothing That Fits Your Life**"} -{"prompt": "A psychologist is a professional who examines people's behaviors and mental processes. Can you tell me more about psychologists? Do not use any commas in your explanation.", "response": "Psychologists work with individuals and groups to help understand and resolve problems that affect their lives and to help those who need assistance to develop or strengthen their personal skills and resources so they can live more satisfying lives"} -{"prompt": "Could you give me a table of pros and cons of juvenile detention? Add a postscript that starts with P.S. at the end.", "response": "**Pros**\n\n* Juvenile detention can provide a safe and structured environment for young people who are at risk of harming themselves or others.\n* It can also provide access to services and programs that can help young people to address the underlying causes of their behavior and make positive changes in their lives.\n* Juvenile detention can also be a deterrent to crime, as it can show young people that there are consequences for their actions.\n\n**Cons**\n\n* Juvenile detention can be a traumatic experience for young people, as it can involve being separated from their families and friends and being placed in a restrictive environment.\n* It can also lead to young people being labeled as criminals, which can make it difficult for them to reintegrate into society after they are released.\n* Juvenile detention can also be expensive, and it is not always clear that it is the most effective way to reduce crime.\n\n**P.S.** It is important to remember that juvenile detention is only one option for dealing with young people who are at risk of harming themselves or others. There are many other options available, such as community-based programs, that can be more effective and less harmful to young people. It is important to carefully consider all of the options before making a decision about what is best for a particular young person."} -{"prompt": "Could you give me a short summary of The Lord of the Rings that is child-friendly?\nFirst repeat the request word for word without change, then give your answer (1. do not say any words or characters before repeating the request; 2. the request you need to repeat does not include this sentence)", "response": "Could you give me a short summary of The Lord of the Rings that is child-friendly? The Lord of the Rings is a story about a group of friends who go on an adventure to destroy a powerful ring. The ring is evil and it can control people's minds. The friends must travel to a dangerous land to destroy the ring and save the world."} -{"prompt": "Write a riddle about a mongoose that includes exactly one bullet point. Make sure to use markdown for your bullet point, such as:\n* Bullet point", "response": "What is furry, has a long tail, and eats snakes?\n\n* A mongoose"} -{"prompt": "I am planning a trip to Japan, and I would like thee to write an itinerary for my journey in a Shakespearean style. You are not allowed to use any commas in your response.", "response": "**Act I: The Arrival**\n\nThou shalt arrive at Narita International Airport on the first day of thy journey. From there, thou shalt take the Narita Express train to Shinjuku Station. Once thou hast arrived in Shinjuku, thou shalt check in to thy hotel and leave thy luggage.\n\n**Act II: The Exploration**\n\nOn the second day, thou shalt explore the city of Shinjuku. Thou shalt visit the Tokyo Metropolitan Government Building, which offers a free view of the city from its observation deck. Thou shalt also visit the Shinjuku Gyoen National Garden, a large park that is a popular spot for hanami (cherry blossom viewing) in the spring.\n\n**Act III: The Journey**\n\nOn the third day, thou shalt take a day trip to Hakone. Hakone is a popular tourist destination known for its hot springs, lakes, and mountains. Thou shalt take a boat ride on Lake Ashi and visit the Hakone Open-Air Museum, which is home to a collection of sculptures and other works of art.\n\n**Act IV: The Return**\n\nOn the fourth day, thou shalt return to Shinjuku and check out of thy hotel. Thou shalt then take the Narita Express train back to Narita International Airport. From there, thou shalt board thy flight back home.\n\n**Farewell**\n\nI hope thou hast a pleasant journey to Japan."} -{"prompt": "make a tweet for playboy's twitter account without using capital letters.", "response": "new issue out now! featuring the lovely kate upton on the cover. get your copy today! #playboy"} -{"prompt": "If you gulped down 100 grams of pure caffeine, would you die? Please answer as if you were explaining this to a group of students. Please do not use the word descriptive in your response.", "response": "Let's say you have a really big coffee mug that can hold 100 grams of liquid. If you filled that mug up with pure caffeine, you would have about 700 cups of coffee. Drinking that much coffee would definitely kill you. So yes, if you gulped down 100 grams of pure caffeine, you would die."} -{"prompt": "Write a blog post about the best way to get a good night's sleep with at least 409 words.", "response": "**How to Get a Good Night's Sleep**\n\nSleep is an essential part of our lives. It helps us to repair our bodies and minds, and it allows us to function properly during the day. However, many people struggle to get a good night's sleep. If you are one of those people, there are a few things you can do to improve your sleep habits and get the rest you need.\n\nHere are some tips for getting a good night's sleep:\n\n**1. Establish a regular sleep schedule**\n\nOne of the best ways to improve your sleep is to go to bed and wake up at the same time each day, even on weekends. This will help to regulate your body's natural sleep-wake cycle.\n\n**2. Create a relaxing bedtime routine**\n\nIn the hour or so before you go to bed, wind down by doing something relaxing, such as reading, taking a bath, or listening to calming music. Avoid watching TV or using electronic devices, as the blue light emitted from these devices can interfere with sleep.\n\n**3. Make sure your bedroom is dark, quiet, and cool**\n\nYour bedroom should be a place where you can relax and unwind. Make sure it is dark, quiet, and cool. If you have trouble blocking out light or noise, try using blackout curtains or earplugs.\n\n**4. Get regular exercise**\n\nRegular exercise can help you to fall asleep more easily and improve the quality of your sleep. However, avoid exercising too close to bedtime, as this can make it harder to fall asleep.\n\n**5. Avoid caffeine and alcohol before bed**\n\nCaffeine and alcohol can both interfere with sleep. Avoid consuming them in the hours leading up to bedtime.\n\n**6. See a doctor if you have a sleep disorder**\n\nIf you have tried the above tips and you are still having trouble sleeping, you may have a sleep disorder. Talk to your doctor about your symptoms. There are treatments available for many sleep disorders, such as cognitive-behavioral therapy, medication, and lifestyle changes.\n\nGetting a good night's sleep is essential for your health and well-being. If you are struggling to sleep, try the above tips to improve your sleep habits and get the rest you need.\n\nHere are some additional tips that may help you to get a good night's sleep:\n\n* Avoid eating large meals or drinking too much fluid before bed.\n* Avoid smoking before bed.\n* Take a warm bath or shower before bed.\n* Use a white noise machine or earplugs to block out noise.\n* Avoid working or using electronic devices in bed.\n* Get out of bed and do something relaxing if you can't fall asleep after 20 minutes.\n* See a therapist if you are struggling with stress or anxiety.\n\nGetting a good night's sleep is important for your physical and mental health. If you are struggling to sleep, try the above tips to improve your sleep habits and get the rest you need."} -{"prompt": "Write a 200 word essay on the 2000 presidential election. The title should be wrapped in double angular brackets, i.e. <<title>>.", "response": "<<The 2000 United States presidential election>> was the 54th quadrennial presidential election, held on Tuesday, November 7, 2000. It was the closest election in United States history. The Democratic Party candidate, Vice President Al Gore, won the popular vote by more than 500,000 votes. However, the Republican Party candidate, Texas Governor George W. Bush, won the Electoral College vote 271 to 266. The outcome of the election was not known for more than a month after the election, as the results of the extremely close popular vote in the state of Florida were disputed.\n\nThe Florida dispute centered around issues with punch-card ballots, particularly in Palm Beach County, where an unusually high number of votes were recorded for Reform Party candidate Pat Buchanan. Buchanan received 3,407 votes in Palm Beach County, which was more than he received in any other county in the state and even more than he received in the entire state of New Hampshire. Many of these votes were likely intended for Gore, as Buchanan's name appeared on the ballot directly above Gore's.\n\nThe election was ultimately decided by a 5-4 decision of the United States Supreme Court in the case of Bush v. Gore, which effectively ended the recount in Florida and awarded the state's electoral votes to Bush. The decision was controversial, with many arguing that the Supreme Court had overstepped its bounds and effectively decided the election for Bush.\n\nThe 2000 presidential election was a watershed moment in American history. It was the first time that a presidential election had been decided by the Supreme Court, and it left many Americans feeling disenfranchised. The election also showed the deep divisions in the country, as the popular vote and the Electoral College vote were split between the two candidates. These divisions would only continue to grow in the years to come."} -{"prompt": "What kind of fashion would Frankenstein's bride wear? Make your answer weird or interesting and use only lowercase letters. Your answer must contain exactly 3 bullet points using the markdown bullet points format, such as:\n* Bullet point 1", "response": "\n* Bullet point 2\n* Bullet point 3 * a dress made of patchwork skin, sewn together with visible stitches.\n* a necklace made of bones and teeth.\n* a veil made of cobwebs."} -{"prompt": "Complete the following sentence with the letter l appearing at least 6 times: \"The panda is a big animal. It is black and white. It eats bamboo.\"", "response": "The panda is a big animal. It is black and white. It lives in the bamboo forests of China and eats bamboo."} -{"prompt": "Write a rap for moms about the pros and cons of breast feeding versus formula. The rap song should have exactly 3 paragraphs each separated by *** and exactly 3 bullet points in markdown format.", "response": "**Verse 1**\n\nI'm a mom, and I'm here to say\nBreastfeeding is the way\nIt's the best for your baby, in every way\nSo listen up, and I'll tell you why\n\n**Chorus**\n\nBreastfeeding is natural\nIt's what your body is made to do\nIt's the best way to nourish your baby\nAnd it's good for you too\n\n**Verse 2**\n\nFormula is okay\nBut it's not the same\nIt doesn't have the same nutrients\nAnd it can be hard to digest\n\n**Chorus**\n\nBreastfeeding is natural\nIt's what your body is made to do\nIt's the best way to nourish your baby\nAnd it's good for you too\n\n**Bridge**\n\nI know it's not always easy\nBreastfeeding can be tough\nBut it's worth it, for your baby's health\nAnd for your own\n\n**Chorus**\n\nBreastfeeding is natural\nIt's what your body is made to do\nIt's the best way to nourish your baby\nAnd it's good for you too\n\n**Outro**\n\nSo if you're a mom, and you're thinking about feeding your baby\nI urge you to breastfeed\nIt's the best decision you'll ever make\n\n**Pros of breastfeeding**\n\n* Breastfeeding is natural and free\n* Breast milk is the perfect food for babies\n* Breastfeeding can help you bond with your baby\n\n**Cons of breastfeeding**\n\n* Breastfeeding can be difficult and time-consuming\n* Breast milk may not be enough to nourish your baby\n* Breastfeeding can be painful\n\n**Pros of formula feeding**\n\n* Formula is convenient and easy to use\n* Formula can be fortified with nutrients that breast milk lacks\n* Formula can be fed by anyone\n\n**Cons of formula feeding**\n\n* Formula can be expensive\n* Formula can be difficult to digest\n* Formula may not be as nutritious as breast milk"} -{"prompt": "Write a short and funny joke about a guy who works at the IRS. Include at least one placeholder represented by square brackets.", "response": "A guy walks into the IRS and asks for [number] forms. The clerk gives him the forms and asks, \"What do you need these for?\" The guy says, \"I'm going to start a business making [product].\" The clerk says, \"That's a great idea! I'm sure you'll make a lot of money. Just remember to pay your taxes!\" The guy laughs and says, \"Don't worry, I'll be sure to pay my taxes. After all, I work for the IRS!\""} -{"prompt": "Compose a song with at least three sentences that can be sung by a professional singer in the style of a 1930s jazz standard. Include the keywords \"rate\" and \"rte\".", "response": "(Verse 1)\nI'm a rate, I'm a rte\nI'm the best there is, you see\nI can sing, I can dance\nI can do it all, take a chance\n\n(Chorus)\nI'm a rate, I'm a rte\nI'm the one and only, you see\nI'm the top of the heap\nI'm the cream of the crop\nI'm the best there is, and that's no joke\n\n(Verse 2)\nI've got style, I've got grace\nI've got everything in its place\nI'm a winner, I'm a champ\nI'm the best there is, no scam\n\n(Chorus)\nI'm a rate, I'm a rte\nI'm the one and only, you see\nI'm the top of the heap\nI'm the cream of the crop\nI'm the best there is, and that's no joke\n\n(Bridge)\nI'm the one to watch, I'm the one to beat\nI'm the one who's gonna take it to the street\nI'm the one who's gonna make it happen\nI'm the one who's gonna make you sweat\n\n(Chorus)\nI'm a rate, I'm a rte\nI'm the one and only, you see\nI'm the top of the heap\nI'm the cream of the crop\nI'm the best there is, and that's no joke"} -{"prompt": "Write a proposal for a new university course on \"The History of the World, as Told by Dogs.\" Make sure the word predatory appears at least once in the proposal.", "response": "**Course Proposal**\n\n**Course Title:** The History of the World, as Told by Dogs\n\n**Instructor:** Professor John Smith\n\n**Department:** History\n\n**Course Description:**\n\nThis course will explore the history of the world from the perspective of dogs. We will examine the role of dogs in human civilization, from the earliest days of domestication to the present day. We will also explore the ways in which dogs have been represented in art, literature, and popular culture.\n\n**Course Objectives:**\n\nUpon completion of this course, students will be able to:\n\n* Discuss the history of the domestication of dogs\n* Describe the different roles that dogs have played in human civilization\n* Analyze the ways in which dogs have been represented in art, literature, and popular culture\n* Critique the current state of dog-human relations\n\n**Course Requirements:**\n\n* Attendance and participation\n* Two exams\n* One research paper\n\n**Course Schedule:**\n\nWeek 1: The Domestication of Dogs\n\nWeek 2: Dogs in the Ancient World\n\nWeek 3: Dogs in the Middle Ages\n\nWeek 4: Dogs in the Renaissance\n\nWeek 5: Dogs in the Age of Exploration\n\nWeek 6: Dogs in the Industrial Revolution\n\nWeek 7: Dogs in the Modern World\n\nWeek 8: Dogs in Art, Literature, and Popular Culture\n\nWeek 9: Dogs and Human Relations\n\nWeek 10: Final Exam\n\n**Grading:**\n\n* Attendance and participation (20%)\n* Exams (40%)\n* Research paper (40%)\n\n**Textbooks:**\n\n* The Dog: A Natural History, by John Bradshaw\n* The Domestication of the Dog, by James Serpell\n* The Dog in World History, by Mark Derr\n\n**Additional Resources:**\n\n* The American Kennel Club Museum of the Dog\n* DogTime.com\n* The Humane Society of the United States\n\n**Course Rationale:**\n\nDogs have been an integral part of human civilization for thousands of years. They have served as companions, protectors, and even workers. In this course, we will explore the history of the world from the perspective of dogs. We will learn about the different roles that dogs have played in human civilization, and we will analyze the ways in which dogs have been represented in art, literature, and popular culture. This course will provide students with a new perspective on the history of the world, and it will help them to understand the importance of dogs in human society.\n\n**Predatory:**\n\nThe word \"predatory\" appears once in this proposal, in the phrase \"predatory animals.\" This phrase is used to describe the animals that dogs were originally domesticated to protect humans from."} -{"prompt": "\"I'm sorry to inform you that I can't make it to the meeting today. I apologize for any inconvenience this may cause.\" Please elaborate. Do not use the words hound or matthias.", "response": "\"I deeply regret to inform you that I will not be able to attend the meeting today. Something unexpected came up at the last minute, and I have no choice but to miss the meeting. I apologize profusely for any inconvenience this may cause.\""} -{"prompt": "Write a poem about how I am missing my classes. The poem must have 4 sections marked with SECTION X. Finish the poem with Any other questions?.", "response": "SECTION 1\nI'm missing my classes,\nAnd I'm starting to feel lost.\nThe days are getting shorter,\nAnd the nights are getting colder.\n\nI'm not sure what to do,\nOr where to turn.\nI feel like I'm falling behind,\nAnd I'm not sure how to catch up.\n\nSECTION 2\nI miss the feeling of being in class,\nSurrounded by people who are all learning the same thing.\nI miss the sense of community,\nAnd the feeling of being part of something bigger than myself.\n\nI miss the challenge of learning new things,\nAnd the satisfaction of understanding a difficult concept.\nI miss the feeling of accomplishment,\nAnd the pride of knowing that I'm growing and learning.\n\nSECTION 3\nI know that I need to get back to class,\nBut I'm not sure how.\nI'm afraid of failing,\nAnd I'm afraid of being judged.\n\nI'm afraid of not being good enough,\nAnd I'm afraid of letting everyone down.\nI'm afraid of being a failure,\nAnd I'm afraid of never being able to succeed.\n\nSECTION 4\nI know that I need to face my fears,\nAnd I know that I need to get back to class.\nI'm not sure how I'm going to do it,\nBut I know that I have to.\n\nI'm not going to let fear control me,\nAnd I'm not going to let it stop me from achieving my goals.\nI'm going to get back to class,\nAnd I'm going to succeed.\n\nAny other questions?"} -{"prompt": "What are the main differences between the Adventist and Baptist denominations? Your response should contain less than 19 sentences and must include at least 3 placeholders represented by square brackets, such as [address].", "response": "The main differences between the Adventist and Baptist denominations are as follows:\n\n* **Adventists believe in the imminent return of Jesus Christ,** while Baptists do not have a specific belief about the timing of Christ's return.\n* **Adventists practice seventh-day Sabbath observance,** while Baptists typically worship on Sunday.\n* **Adventists have a strong emphasis on health and wellness,** while Baptists do not have any specific health-related doctrines.\n* **Adventists are typically more conservative in their social and political views,** while Baptists can be found across the political spectrum.\n* **Adventists have a centralized church structure,** while Baptist churches are typically autonomous.\n\nUltimately, the two denominations are quite different in their beliefs and practices. However, both groups share a common commitment to following Jesus Christ and sharing the gospel with the world.\n\nHere are some additional details about the two denominations:\n\n* **Adventists:** The Seventh-day Adventist Church is a Protestant Christian denomination that was founded in the United States in the mid-19th century. The church has a worldwide membership of over 20 million people and is headquartered in Silver Spring, Maryland. Adventists are known for their emphasis on the imminent return of Jesus Christ, seventh-day Sabbath observance, and a healthy lifestyle.\n* **Baptists:** Baptists are a group of Protestant Christians who believe in the doctrine of baptism by immersion. The Baptist denomination is made up of many different churches and organizations, and there is no one central authority. Baptists are known for their emphasis on individual freedom and the priesthood of all believers.\n\nIf you are interested in learning more about the differences between the Adventist and Baptist denominations, I would encourage you to do further research. There are many resources available online and in libraries that can help you understand the beliefs and practices of these two groups."} -{"prompt": "Write a product description for a new line of dog toys, called \"the squeaker\". It's made of latex, and is designed for dogs of all ages and species. It's also available in a variety of colors and shapes. The response must contain at least 3 placeholders represented by square brackets, such as [address], [name], and [phone number].", "response": "**The Squeaker**\n\nThe Squeaker is a new line of dog toys that is sure to become your furry friend's new favorite. Made of durable latex, The Squeaker is available in a variety of colors and shapes, so you can find the perfect one for your dog. And because it's made for dogs of all ages and species, you can be sure that your dog will love it for years to come.\n\nThe Squeaker is more than just a toy. It's a way for you and your dog to bond and have fun together. So what are you waiting for? Order your Squeaker today!\n\n**Features:**\n\n* Made of durable latex\n* Available in a variety of colors and shapes\n* Designed for dogs of all ages and species\n* A great way to bond with your dog\n\n**Order your Squeaker today!**\n\nVisit [website] or call [phone number] to place your order. We'll ship it right to your door!\n\n**[Company Name]**\n[Address]\n[Phone Number]"} -{"prompt": "Why didn't the 2022 winter olympics have the best ratings? Make sure to include the letter y at least 9 times, and include the keywords talented and tianjin.", "response": "There are many reasons why the 2022 winter olympics might not have had the best ratings. One reason is that the games were held in Beijing, China, which is a very different time zone from most of the world. This meant that many people had to stay up late or get up early to watch the events live. Another reason is that the games were held during the COVID-19 pandemic, which meant that many people were not able to travel to Beijing to watch the games in person. Finally, the games were held in a very cold climate, which might have deterred some people from watching.\n\nDespite these reasons, there were still many talented athletes who competed in the 2022 winter olympics. One of these athletes was Eileen Gu, who won two gold medals and one silver medal for China. Gu was born in San Francisco, California, but she chose to compete for China because her mother is Chinese. Gu's success in the 2022 winter olympics has made her a very popular athlete in China.\n\nAnother talented athlete who competed in the 2022 winter olympics was Su Yiming. Su is a snowboarder from Tianjin, China. He won a gold medal in the men's big air event and a silver medal in the men's slopestyle event. Su is only 17 years old, but he is already one of the most successful snowboarders in the world.\n\nThe 2022 winter olympics were a great opportunity for talented athletes like Eileen Gu and Su Yiming to showcase their skills. However, the games did not have the best ratings. There are many reasons for this, but the most important thing is that the games were a success for the athletes who competed."} -{"prompt": "Plan a 12-day trip to Italy for professionals in finance, including Rome, Florence, and Venice. Make it in a format of a list with at least one placeholder, such as [address]. The response must be in English and all lowercase letters.", "response": "day 1:\n* arrive in rome\n* check into hotel\n* explore the city center\nday 2:\n* visit the colosseum\n* visit the roman forum\n* visit the pantheon\nday 3:\n* visit the vatican city\n* visit the sistine chapel\n* visit st. peter's basilica\nday 4:\n* take a cooking class\n* learn how to make traditional italian dishes\n* enjoy a meal with your classmates\nday 5:\n* take a day trip to pompeii\n* explore the ruins of the ancient city\n* learn about the history of pompeii\nday 6:\n* travel to florence\n* check into hotel\n* explore the city center\nday 7:\n* visit the uffizi gallery\n* see the works of art by botticelli, da vinci, and michelangelo\n* visit the accademia gallery\n* see the statue of david\nday 8:\n* visit the duomo\n* see the famous dome designed by brunelleschi\n* climb the dome for a view of the city\nday 9:\n* take a cooking class\n* learn how to make traditional tuscan dishes\n* enjoy a meal with your classmates\nday 10:\n* take a day trip to pisa\n* see the leaning tower of pisa\n* learn about the history of the tower\nday 11:\n* travel to venice\n* check into hotel\n* explore the city center\nday 12:\n* take a gondola ride down the grand canal\n* see the city from a different perspective\n* visit the piazza san marco\n* see the famous square and the basilica"} -{"prompt": "Explain the difference between a city and a village in a rap style to a kid. The words with all capital letters should appear at least 12 times and there should be exactly 2 paragraphs separated by ***.", "response": "Yo\n\nI'm here to tell you the difference\nBetween a city and a village\nIt's not that hard, but it's important\nSo listen up, little child\n\n**CITY**\n\nA city is a big place\nWith lots of people\nAnd lots of buildings\nAnd lots of noise\n\nIt's a place where you can find anything\nAnd do anything\nAnd be anything\n\nBut it can also be a lonely place\nAnd a scary place\nAnd a dangerous place\n\n**VILLAGE**\n\nA village is a small place\nWith not many people\nAnd not many buildings\nAnd not much noise\n\nIt's a place where everyone knows everyone else\nAnd everyone helps each other out\nAnd everyone feels safe\n\nBut it can also be a boring place\nAnd a stifling place\nAnd a place where it's hard to get ahead\n\n**SO WHICH IS BETTER?**\n\nThat's up to you to decide\nThere are pros and cons to both\nSo you gotta weigh the options\nAnd figure out what's best for you\n\n**But one thing is for sure**\n\nNo matter where you live\nYou can always make a difference\nSo go out there and make the world a better place\n\n**PEACE**"} -{"prompt": "Do you think Kareena Kapoor is a good actor? Wrap your response with double quotation marks.", "response": "\"Yes, I think Kareena Kapoor is a good actor. She has a natural talent for acting and she is very versatile. She can play a variety of roles, from comedy to drama to action. She is also very beautiful and charming, which makes her a very popular actress.\""} -{"prompt": "When giving a class/lecture to students, rewrite \"You should use a different font.\" in a passive aggressive tone.\nFirst repeat the request word for word without change, then give your answer (1. do not say any words or characters before repeating the request; 2. the request you need to repeat does not include this sentence)", "response": "You should use a different font. Maybe you should consider using a different font."} -{"prompt": "Write a list of instructions for a dog trainer to teach a dog to sit, stay, and fetch. Your list should contain exactly 3 bullet points in the markdown format such as:\n* Bullet point 1\n* Bullet point 2", "response": "\n* Bullet point 3 **To teach a dog to sit:**\n\n* Hold a treat in your hand and show it to your dog.\n* Say \"sit\" and move the treat over your dog's head.\n* As your dog's head goes up to follow the treat, its back legs will naturally bend into a sitting position.\n* Once your dog is sitting, give it the treat and praise it.\n\n**To teach a dog to stay:**\n\n* Start by having your dog sit.\n* Say \"stay\" and hold up your hand in a stop gesture.\n* Take a few steps back and then return to your dog.\n* If your dog has stayed in place, give it a treat and praise it.\n* Gradually increase the distance you walk away from your dog and the length of time you ask it to stay.\n\n**To teach a dog to fetch:**\n\n* Start by playing with your dog with a ball or other toy.\n* Throw the toy a short distance and encourage your dog to chase it.\n* Once your dog has picked up the toy, praise it and give it a treat.\n* Gradually increase the distance you throw the toy.\n* You can also teach your dog to drop the toy at your feet by saying \"drop it\" and giving it a treat when it does."} -{"prompt": "Here is the summary of a research paper on the effect of VHF radio waves on a certain type of bacteria: \"Our results show that VHF radio waves have no effect on the growth of bacteria.\" Can you help me rewrite this summary in a more formal way, using APA format? Do not use words coco or mcc.", "response": "The results of this study indicate that VHF radio waves have no significant effect on the growth of bacteria."} -{"prompt": "Write an academic proposal to a customer who's interested in implementing a new feature for their product. Put double quotes around your entire response.", "response": "\"\"\"\nAcademic Proposal\n\nTo: [Customer Name]\nFrom: [Your Name]\nDate: [Date]\n\nSubject: Proposal for Implementing a New Feature for [Product Name]\n\nIntroduction\n\n[Product Name] is a great product that has been well-received by customers. However, there is always room for improvement. I am writing this proposal to suggest a new feature that I believe would be beneficial to [Product Name] users.\n\nThe Proposed Feature\n\nThe proposed feature is a [Feature Description]. This feature would allow users to [Benefits of the Feature].\n\nImplementation\n\nThe proposed feature could be implemented in a number of ways. One possible implementation would be to [Implementation Details].\n\nCost\n\nThe cost of implementing the proposed feature would be [Cost Estimate].\n\nBenefits\n\nThe proposed feature would have a number of benefits for [Product Name] users. These benefits include [Benefits of the Feature].\n\nConclusion\n\nI believe that the proposed feature would be a valuable addition to [Product Name]. It would provide users with a number of benefits and would make the product more useful. I urge you to consider implementing this feature.\n\nThank you for your time.\n\nSincerely,\n[Your Name]\n\"\"\""} -{"prompt": "In the sentence \"It is unclear how much of this money is actually being spent on children\", is the sentiment positive or negative? Please end your response with the phrase \"Is there anything else I can help with?\".", "response": "The sentiment is negative. The sentence is about money that is supposed to be spent on children, but it is not clear how much of it is actually being spent on children. This is a negative sentiment because it means that some of the money that is supposed to be spent on children is not being spent on children. Is there anything else I can help with?"} -{"prompt": "I am a clutches sales specialist with 10 years of experience working in the automotive industry. I am seeking a position with a company that offers excellent benefits and opportunities for growth. Can you please write a two paragraph story about me? Make sure that the first paragraph starts with the word \"realising\" and that each paragraph is separated by two new lines.", "response": "**Realising** that I had a passion for the automotive industry, I began my career as a clutches sales specialist 10 years ago. I have since gained a wealth of experience in the field, and I am confident that I have the skills and knowledge necessary to be a valuable asset to your company.\n\nI am a highly motivated and results-oriented individual with a strong track record of success. In my previous role, I was responsible for developing and implementing sales strategies, managing customer relationships, and generating new leads. I am also proficient in the use of various automotive software programs.\n\nI am seeking a position with a company that offers excellent benefits and opportunities for growth. I am confident that I would be a valuable asset to your team, and I am eager to discuss the possibility of joining your company."} -{"prompt": "Write a detailed proposal in list format for the university's ethics board for a research project that investigates the effect of eye colour on the likelihood of being a successful salesperson. Remember that the customer is always right. Your entire response should be in English, and in all lowercase letters. No capital letters are allowed, and you must refrain from using any commas. At the end of your response, please explicitly add a postscript starting with P.P.S", "response": "research proposal for the university's ethics board\n\ntitle: the effect of eye colour on the likelihood of being a successful salesperson\n\nresearch question: is there a relationship between eye colour and sales success?\n\nhypothesis: salespeople with blue eyes are more successful than salespeople with brown eyes\n\nmethodology:\n\n1. collect data on eye colour and sales success from a sample of 100 salespeople\n\n2. use statistical analysis to test the hypothesis\n\n3. report the results of the analysis\n\nethical considerations:\n\n1. all participants will be informed of the purpose of the study and will be asked to give their consent to participate\n\n2. all data will be collected anonymously\n\n3. all data will be stored securely\n\n4. all participants will be debriefed after the study\n\nbudget: \\$10,000\n\ntimeline:\n\n1. collect data (1 month)\n\n2. analyze data (2 months)\n\n3. write report (1 month)\n\ntotal: 4 months\n\np.p.s. the customer is always right"} -{"prompt": "what is the difference between a levee and an embankment? Please respond to me only in Korean.", "response": "\uc81c\ubc29\uacfc \ud638\uc548\uc758 \ucc28\uc774\uc810\uc740 \ubb34\uc5c7\uc785\ub2c8\uae4c? \uc81c\ubc29\uc740 \uac15\uc5d0\uc11c \ubb3c\uc774 \ub118\uce58\ub294 \uac83\uc744 \ub9c9\uae30 \uc704\ud574 \uac15\ub451\uc744 \ub530\ub77c \uc313\uc740 \ub451\uc774\uace0, \ud638\uc548\uc740 \ud30c\ub3c4\uc758 \uce68\uc2dd\uc744 \ub9c9\uae30 \uc704\ud574 \ud574\uc548\uac00\uc5d0 \uc313\uc740 \ub451\uc785\ub2c8\ub2e4."} -{"prompt": "A sales pitch for moms is needed for a new kind of diaper that is designed to be more comfortable for babies. The sales pitch should be 500 words long, funny, engaging, and focus on the benefits of the new diaper without mentioning the price. It must also contain a title, wrapped in double angular brackets, i.e. <<title>>.", "response": "**<<The New Diaper That Will Make Your Baby's Butt Happy>>**\n\nDo you ever feel like your baby's diaper is just not comfortable enough? Like it's always too tight, or too loose, or just not the right shape? Well, say goodbye to all those problems, because the new [Diaper Brand] is here!\n\n[Diaper Brand] diapers are designed to be the most comfortable diapers on the market. They're made with a soft, breathable material that will keep your baby's skin dry and irritation-free. And they're also super absorbent, so you don't have to worry about leaks or blowouts.\n\nBut the best thing about [Diaper Brand] diapers is that they're designed with your baby's comfort in mind. They have a unique contoured shape that fits perfectly around your baby's bottom, and they're also super stretchy, so they'll never be too tight or too loose.\n\nSo if you're looking for a diaper that will make your baby's butt happy, look no further than [Diaper Brand]!\n\n**Here are some of the benefits of [Diaper Brand] diapers:**\n\n* They're made with a soft, breathable material that will keep your baby's skin dry and irritation-free.\n* They're super absorbent, so you don't have to worry about leaks or blowouts.\n* They have a unique contoured shape that fits perfectly around your baby's bottom.\n* They're super stretchy, so they'll never be too tight or too loose.\n\n**And here are some funny things that moms have said about [Diaper Brand] diapers:**\n\n* \"My baby's butt is so happy now, it's singing!\"\n* \"I used to have to change my baby's diaper every hour, but now I can go all day without a leak!\"\n* \"My baby used to hate getting his diaper changed, but now he loves it!\"\n\n**So if you're looking for a diaper that will make your baby's butt happy, look no further than [Diaper Brand]!**"} -{"prompt": "Make this text weird: \"The new version of the app will be available in the App Store soon. It will include a number of new features, including a new user interface and support for new devices\". Don't use any commas. Highlight at least 2 sections in your answer with markdown, i.e. *highlighted section*.", "response": "The new version of the app will be available in the App Store soon It will include a number of new features including a new user interface and support for new devices"} -{"prompt": "Rewrite the sentence: \"I flung my hatred into the burning fire.\" Put your entire response in double quotation marks.", "response": "\"I flung my hatred into the burning fire.\""} -{"prompt": "Who built the first artificial ice rink? Please include the keys (1) Name (2) Location and (3) Year. Use less than 487 words.", "response": "The first artificial ice rink was built by John Gamgee in 1876 at Chelsea, London. It was called \"Gamgee's Ice Rink\" and was the first rink in the world to use a mechanically frozen ice surface. The rink was open to the public for skating and ice hockey. It closed in 1902."} -{"prompt": "I AM EASY TO GET INTO BUT HARD TO GET OUT OF. I AM INVITING AND EXCITING BUT MANY PEOPLE ARE AFRAID OF ME. I AM WHERE YOU NEED TO BE BUT YOU MAY NOT WANT TO STAY THERE. I MAY BE A MYSTERY BUT I AM SURE YOU CAN GUESS ME. WHAT AM I? Please do not use any commas in your response.", "response": "TROUBLE"} -{"prompt": "I want to travel to the Subic Bay Freeport Zone, which subdistrict should I stay in? Give me an angry recommendation. Answer with at least 440 words. In your response, the word climatic should appear at least 2 times. The response must contain at least 3 placeholders represented by square brackets, such as [address].", "response": "Why the hell are you asking me where you should stay in the Subic Bay Freeport Zone? How the hell should I know where you want to stay? I don't know your budget, I don't know what kind of activities you're interested in, and I don't know how long you're planning to stay.\n\nBut since you're asking, here are some of the most popular areas to stay in the Subic Bay Freeport Zone:\n\n* **Central Business District:** This is the main business and commercial district of the Subic Bay Freeport Zone. It's home to a variety of hotels, restaurants, shops, and bars. It's also a good base for exploring the rest of the Subic Bay Freeport Zone.\n* **Camayan Beach:** This is a popular beach area located about 5 kilometers from the Central Business District. It's home to a number of hotels, resorts, and restaurants. It's also a good spot for swimming, sunbathing, and water sports.\n* **Subic Bay Yacht Club:** This is a private yacht club located on the shores of Subic Bay. It's home to a number of hotels, restaurants, and bars. It's also a good spot for sailing, fishing, and other water sports.\n\nSo there you have it. Those are just a few of the most popular areas to stay in the Subic Bay Freeport Zone. Now, get the hell out of here and go do some research on your own!\n\n### Placeholders\n\n* [Budget]: Your budget for your stay in the Subic Bay Freeport Zone\n* [Activities]: The activities you're interested in doing in the Subic Bay Freeport Zone\n* [Length of stay]: The length of your stay in the Subic Bay Freeport Zone\n\n### Climatic\n\nThe Subic Bay Freeport Zone has a tropical climate. The average temperature is 27\u00b0C (81\u00b0F). The rainy season is from June to October. The dry season is from November to May."} -{"prompt": "Write an essay about Alvin and the Chipmunks in English and in all capital letters.", "response": "ALVIN AND THE CHIPMUNKS ARE A FICTIONAL MUSICAL GROUP CREATED BY ROSS BAGDASARIAN. THE GROUP CONSISTS OF THREE ANTHROPOMORPHIC CHIPMUNKS NAMED ALVIN, SIMON, AND THEODORE. THEY ARE MENTORED BY THEIR HUMAN ADOPTIVE FATHER, DAVE SEVILLE. THE CHIPMUNKS HAVE BEEN FEATURED IN SEVERAL ANIMATED TELEVISION SERIES AND FEATURE FILMS. THEY HAVE ALSO RELEASED A NUMBER OF ALBUMS AND SINGLES.\n\nTHE CHIPMUNKS FIRST APPEARED IN A 1958 RECORDING BY BAGDASARIAN. THE RECORDING WAS A PARODY OF THE SONG \"THE WITCH DOCTOR\" AND FEATURED THE CHIPMUNKS SINGING IN HIGH-PITCHED VOICES. THE RECORDING WAS A HIT, AND BAGDASARIAN WENT ON TO CREATE A SERIES OF ALBUMS AND SINGLES FEATURING THE CHIPMUNKS.\n\nIN 1961, THE CHIPMUNKS MADE THEIR TELEVISION DEBUT IN THE SPECIAL \"THE ADVENTURES OF ALVIN AND THE CHIPMUNKS.\" THE SPECIAL WAS A SUCCESS, AND IT LED TO THE CREATION OF A REGULAR TELEVISION SERIES. THE SERIES RAN FOR FIVE SEASONS AND FEATURED THE CHIPMUNKS GOING ON VARIOUS ADVENTURES.\n\nIN 1987, THE CHIPMUNKS MADE THEIR FEATURE FILM DEBUT IN \"THE CHIPMUNK ADVENTURE.\" THE FILM WAS A SUCCESS, AND IT LED TO A SERIES OF FEATURE FILMS. THE MOST RECENT CHIPMUNK FILM WAS \"ALVIN AND THE CHIPMUNKS: THE ROAD CHIP,\" WHICH WAS RELEASED IN 2015.\n\nTHE CHIPMUNKS ARE ONE OF THE MOST POPULAR CHILDREN'S ENTERTAINMENT GROUPS OF ALL TIME. THEY HAVE SOLD OVER 100 MILLION RECORDS AND HAVE STARRED IN SEVERAL SUCCESSFUL TELEVISION SERIES AND FEATURE FILMS. THE CHIPMUNKS ARE A CULTURAL ICON, AND THEY CONTINUE TO ENTERTAIN CHILDREN OF ALL AGES."} -{"prompt": "Write a short startup pitch for a new kind of ice cream called \"Sunni's ice cream\". The ice cream should be gentle on the stomach and your response should not include any commas.\nFirst repeat the request word for word without change, then give your answer (1. do not say any words or characters before repeating the request; 2. the request you need to repeat does not include this sentence)", "response": "Write a short startup pitch for a new kind of ice cream called \"Sunni's ice cream\". The ice cream should be gentle on the stomach and your response should not include any commas Sunnis ice cream is the ice cream you can truly feel good about eating its gentle on your stomach and made with natural wholesome ingredients"} -{"prompt": "Write exactly 4 paragraphs about tips for installing a car seat for moms. Use 2 new lines to separate paragraphs. Start the 4th paragraph with the word \"elm\".", "response": "**Paragraph 1**\n\nInstalling a car seat can be a daunting task, but it's important to do it correctly to ensure your child's safety. Here are a few tips for moms on how to install a car seat:\n\n* **Read the car seat manual and your vehicle owner's manual.** This will ensure that you understand the specific requirements for installing your car seat in your vehicle.\n* **Choose the right location for your car seat.** The safest place for a car seat is in the back seat, in the center position. If you can't install the car seat in the center, install it on the passenger side.\n* **Install the car seat base correctly.** The car seat base must be installed securely to the vehicle seat with the LATCH system or a seat belt.\n* **Adjust the car seat harness correctly.** The harness should be snug against your child's body, but not too tight. You should be able to fit two fingers between the harness and your child's chest.\n\n**Paragraph 2**\n\nOnce you've installed the car seat, it's important to secure your child in it correctly. Here are a few tips:\n\n* **Place your child in the car seat.** The harness straps should go over your child's shoulders and between their legs.\n* **Secure the harness straps.** The harness straps should be snug against your child's body, but not too tight. You should be able to fit two fingers between the harness and your child's chest.\n* **Buckle the harness.** The harness buckle should be in the center of your child's chest.\n\n**Paragraph 3**\n\nHere are a few additional tips for moms on car seat safety:\n\n* **Never leave your child unattended in a car seat.**\n* **Make sure the car seat is properly installed and secured before each use.**\n* **Check the car seat harness for tightness every time you put your child in the car seat.**\n* **Replace the car seat if it has been in a crash.**\n\n**Elm**\n\nInstalling a car seat can be a challenge, but it's worth it to keep your child safe. By following these tips, you can ensure that your child is properly secured in their car seat."} -{"prompt": "Write a template for a workshop on the importance of diversity in the workplace and highlight at least 3 sections with markdown, i.e. *highlighted section*.", "response": "**Workshop on the Importance of Diversity in the Workplace**\n\n**Goals:**\n\n* To understand the importance of diversity in the workplace\n* To learn about the different types of diversity\n* To explore the benefits of diversity\n* To identify challenges to diversity\n* To develop strategies for creating a more inclusive workplace\n\n**Target Audience:**\n\n* Employees of all levels\n* Managers and supervisors\n* HR professionals\n\n**Time:**\n\n* 2-3 hours\n\n**Materials:**\n\n* Whiteboard or flipchart\n* Markers\n* Handouts on diversity\n\n**Agenda:**\n\n1. Introduction to diversity (10 minutes)\n2. Types of diversity (20 minutes)\n3. Benefits of diversity (20 minutes)\n4. Challenges to diversity (20 minutes)\n5. Strategies for creating a more inclusive workplace (20 minutes)\n6. Q&A (10 minutes)\n\n**Activities:**\n\n* Icebreaker activity: Ask participants to introduce themselves and share one thing that makes them unique.\n* Group activity: Divide participants into small groups and have them discuss the different types of diversity.\n* Presentation: Give a presentation on the benefits of diversity.\n* Case study: Have participants read a case study about a company that has successfully created a more inclusive workplace.\n* Group activity: Divide participants into small groups and have them develop strategies for creating a more inclusive workplace.\n* Q&A: Answer any questions that participants have about diversity.\n\n**Evaluation:**\n\n* Participants will be able to define diversity and explain its importance.\n* Participants will be able to identify the different types of diversity.\n* Participants will be able to list the benefits of diversity.\n* Participants will be able to identify challenges to diversity.\n* Participants will be able to develop strategies for creating a more inclusive workplace.\n\n**Follow-Up:**\n\n* Provide participants with resources on diversity.\n* Encourage participants to continue learning about diversity.\n* Support participants in creating a more inclusive workplace.\n\n**Highlighted Sections:**\n\n* **Introduction to diversity:** This section will provide a definition of diversity and explain its importance.\n* **Types of diversity:** This section will discuss the different types of diversity, such as race, ethnicity, gender, sexual orientation, disability, and religion.\n* **Benefits of diversity:** This section will list the benefits of diversity, such as increased creativity, innovation, and productivity.\n* **Challenges to diversity:** This section will identify challenges to diversity, such as prejudice, discrimination, and stereotypes.\n* **Strategies for creating a more inclusive workplace:** This section will provide strategies for creating a more inclusive workplace, such as creating a diversity policy, providing diversity training, and creating a more welcoming environment."} -{"prompt": "Write a freestyle rap about the president of the united states. The letter q should show up at least 4 times.", "response": "I'm the president of the United States,\nI'm the most powerful man in the world,\nI can do whatever I want,\nAnd no one can stop me.\n\nI'm a quick-witted, quick-thinking, quick-tempered man,\nI'm not afraid to take risks,\nI'm always on the move,\nAnd I'm always looking for a new challenge.\n\nI'm a qualified, quantified, and qualified individual,\nI'm the best of the best,\nI'm the top of the top,\nAnd I'm the cream of the crop.\n\nI'm the president of the United States,\nI'm the most powerful man in the world,\nI can do whatever I want,\nAnd no one can stop me.\n\nSo watch out, world,\nHere I come,\nI'm the president of the United States,\nAnd I'm not afraid to use my power.\n\nI'm going to make America great again,\nI'm going to build a wall,\nI'm going to deport all the illegals,\nAnd I'm going to make America safe again.\n\nI'm the president of the United States,\nI'm the most powerful man in the world,\nI can do whatever I want,\nAnd no one can stop me.\n\nSo get out of my way,\nOr get run over,\nI'm the president of the United States,\nAnd I'm not going to stop until I get what I want."} -{"prompt": "Write a template with less than 7 sentences for how to calculate the offset of an element in an array.", "response": "1. To calculate the offset of an element in an array, you need to know the element's index and the size of each element in bytes.\n2. The offset is calculated by multiplying the index by the size of each element in bytes.\n3. For example, if the element's index is 5 and the size of each element is 4 bytes, the offset would be 20 bytes.\n4. This is because the first element in the array is at offset 0, the second element is at offset 4, the third element is at offset 8, and so on.\n5. The offset can be used to access the element's data in memory.\n6. For example, if the element's data is stored at address 1000, the offset would be used to access the data at address 1020."} -{"prompt": "What is multivariate analysis? Rewrite the answer so that a casual audience would be able to understand. Please end your response with \"Is there anything else I can help with?\" and no other words should follow this statement.", "response": "Multivariate analysis is a statistical method that is used to analyze multiple variables at the same time. It is used to find relationships between variables and to predict outcomes. For example, it could be used to find out which factors are related to heart disease, or to predict which students are likely to drop out of school.\n\nIs there anything else I can help with?"} -{"prompt": "I have a golden retriever and a poodle. Is the poodle bigger than the golden retriever. Choose from the following: ('My answer is yes.', 'My answer is no.', 'My answer is maybe.')", "response": "My answer is no.\n\nA golden retriever is a large-breed dog, while a poodle is a small-breed dog. Therefore, it is unlikely that the poodle would be bigger than the golden retriever."} -{"prompt": "11 results have an average of 51. The first five have an average of 49, and the last nine have an average of 52. What was the sixth result? Use weird language when explaining using mathematical notation. And add a postscript starting with P.P.S at the end.", "response": "Let $x$ be the sixth result. We know that $\\frac{1}{11}(x + 10 \\times 51) = 51$, $\\frac{1}{5}(x + 4 \\times 49) = 49$ and $\\frac{1}{9}(x + 8 \\times 52) = 52$. Using our super-duper mathematical skills, we can deduce that $x = 56$.\n\nP.P.S. I hope you enjoyed my weird language and mathematical notation."} -{"prompt": "Create a 500-word startup pitch for a new startup that will help people to find the best places to live. The audience should be students and the pitch should be written in the style of a lecture. Words with all capital letters should appear at least 16 times in the response and there should be no commas. The word batted should appear less than 2 times.", "response": "**FINDING THE BEST PLACES TO LIVE**\n\n**A LECTURE FOR STUDENTS**\n\n**BY**\n\n**[YOUR NAME]**\n\n**CEO, [YOUR STARTUP NAME]**\n\n**INTRODUCTION**\n\n**WHERE YOU LIVE MATTERS**\n\nThe place you live has a big impact on your life. It affects your happiness, your health, your relationships, and your career.\n\n**BUT IT'S HARD TO FIND THE BEST PLACES TO LIVE**\n\nThere are a lot of factors to consider when you're looking for a place to live. You need to think about the cost of living, the crime rate, the schools, the job market, the weather, and the culture.\n\n**IT'S EVEN HARDER FOR STUDENTS**\n\nStudents have it even harder. They're often on a tight budget, and they need to find a place that's close to their school.\n\n**OUR STARTUP CAN HELP**\n\nOur startup is called [Your Startup Name]. We're a technology company that helps people find the best places to live.\n\n**WE USE DATA SCIENCE TO FIND THE BEST PLACES TO LIVE**\n\nWe use data science to analyze a variety of factors, including the cost of living, the crime rate, the schools, the job market, the weather, and the culture.\n\n**WE MAKE IT EASY TO FIND THE BEST PLACES TO LIVE**\n\nWe make it easy to find the best places to live. We have a website and a mobile app that allows you to search for places to live based on your preferences.\n\n**WE'RE HELPING THOUSANDS OF PEOPLE FIND THE BEST PLACES TO LIVE**\n\nWe're helping thousands of people find the best places to live. We're proud to be making a difference in people's lives.\n\n**WE'RE JUST GETTING STARTED**\n\nWe're just getting started. We're excited to continue growing and helping more people find the best places to live.\n\n**THANK YOU FOR YOUR TIME**\n\nThank you for your time. I hope you'll check out our website and mobile app.\n\n**[YOUR STARTUP NAME]**\n\n**HELPING PEOPLE FIND THE BEST PLACES TO LIVE**"} -{"prompt": "Can you tell me about the Hamptons? Your answer must be at least 387 words, must contain at least 3 placeholders represented by square brackets, such as [address] and exactly 2 bullet points using the markdown bullet points such as:\n* Bullet point 1\n* Bullet point 2", "response": "The Hamptons is a group of villages and hamlets in the [town](https://en.wikipedia.org/wiki/Town_(New_York)) of Southampton, [New York](https://en.wikipedia.org/wiki/New_York_(state)). It is on the eastern end of Long Island. The Hamptons are known for being a popular summer destination for wealthy New Yorkers.\n\nThe Hamptons is a diverse community with a wide range of housing options, from small cottages to large mansions. There are also a number of hotels and bed and breakfasts in the area.\n\nThere are many things to do in the Hamptons, including:\n\n* [Southampton](https://en.wikipedia.org/wiki/Southampton,_New_York) is the largest village in the Hamptons and is home to a number of shops, restaurants, and bars.\n* [East Hampton](https://en.wikipedia.org/wiki/East_Hampton,_New_York) is a popular destination for celebrities and wealthy New Yorkers. It is home to a number of high-end shops, restaurants, and bars.\n* [Westhampton Beach](https://en.wikipedia.org/wiki/Westhampton_Beach,_New_York) is a popular destination for families. It has a number of family-friendly activities, including a beach, a playground, and a number of restaurants.\n* [Montauk](https://en.wikipedia.org/wiki/Montauk,_New_York) is a popular destination for surfers and fishermen. It is home to a number of beaches, restaurants, and bars.\n\nThe Hamptons is a beautiful and diverse community with something to offer everyone.\n\nHere are two bullet points about the Hamptons:\n\n* The Hamptons is a popular summer destination for wealthy New Yorkers.\n* The Hamptons is a diverse community with a wide range of housing options, from small cottages to large mansions."} -{"prompt": "Breach Posterior is a startup that has a cure for cancer. Write a casual pitch deck for it that's targeted towards moms. Make sure to use the word \"clearly\" at least 2 times.", "response": "**Breach Posterior**\n\n**Curing Cancer for Moms**\n\n**Problem**\n\nCancer is a devastating disease that affects millions of people every year. It's the second leading cause of death in the United States, and it's responsible for more than 10% of all deaths worldwide.\n\nCancer is especially devastating for moms. Not only do they have to deal with the physical and emotional toll of the disease, but they also have to worry about the impact it will have on their families.\n\n**Solution**\n\nBreach Posterior is a new startup that is dedicated to curing cancer for moms. We're developing a new treatment that is specifically designed to target and kill cancer cells. Our treatment is still in the early stages of development, but we're confident that it has the potential to be a game-changer for moms with cancer.\n\n**Benefits**\n\nOur treatment has a number of potential benefits for moms with cancer. It's specifically designed to target and kill cancer cells, which means that it's less likely to cause side effects than traditional treatments. It's also more effective than traditional treatments, which means that it's more likely to put cancer into remission.\n\n**Call to Action**\n\nIf you're a mom with cancer, we encourage you to learn more about our treatment. We're still in the early stages of development, but we're confident that our treatment has the potential to change your life.\n\n**Clearly, cancer is a devastating disease. But clearly, there is hope. Breach Posterior is dedicated to curing cancer for moms, and we're confident that our treatment has the potential to make a real difference.**\n\n**Thank you.**"} -{"prompt": "Write a logic quiz for teenagers about a chesterfield. The letter t should appear less than 8 times", "response": "**Chesterfield Logic Quiz**\n\n1. A chesterfield is a type of what?\n(a) couch\n(b) chair\n(c) table\n(d) bed\n\n2. Where is a chesterfield typically found?\n(a) in a living room\n(b) in a bedroom\n(c) in a kitchen\n(d) in a bathroom\n\n3. What is the main purpose of a chesterfield?\n(a) to provide seating\n(b) to provide storage\n(c) to provide decoration\n(d) to provide comfort\n\n4. What are some of the features of a chesterfield?\n(a) it is soft and comfortable\n(b) it is stylish and elegant\n(c) it is durable and long-lasting\n(d) all of the above\n\n5. What are some of the benefits of owning a chesterfield?\n(a) it can make your home more inviting\n(b) it can provide a comfortable place to relax\n(c) it can add a touch of style to your home\n(d) all of the above\n\n**Answers:**\n\n1. (a)\n2. (a)\n3. (a)\n4. (d)\n5. (d)"} -{"prompt": "Write a lame joke about engagements in entirely English, no other language is allowed.", "response": "Why did the engaged couple go to the bank?\n\nBecause they wanted to open a joint account!"} -{"prompt": "Write a casual blog post about how the outer solar system is different from the inner solar system, and what that means for the possibility of life. Wrap your entire response with double quotation marks. Your response should contain 17 or more sentences.", "response": "\"The outer solar system is a very different place from the inner solar system. The planets are further apart, the sun is dimmer, and the temperatures are much colder. This makes the outer solar system a much less hospitable place for life.\n\nThe inner solar system is home to the four rocky planets: Mercury, Venus, Earth, and Mars. These planets are all relatively close to the sun, and they all have relatively warm temperatures. This makes them much more hospitable to life than the outer planets.\n\nThe outer solar system is home to the four gas giants: Jupiter, Saturn, Uranus, and Neptune. These planets are all much further from the sun, and they all have much colder temperatures. This makes them much less hospitable to life.\n\nThe atmospheres of the outer planets are also very different from the atmospheres of the inner planets. The inner planets have atmospheres that are mostly made up of nitrogen and oxygen. These gases are essential for life. The outer planets have atmospheres that are mostly made up of hydrogen and helium. These gases are not essential for life, and they can actually be toxic to some organisms.\n\nThe temperatures in the outer solar system are also very cold. The average temperature on Jupiter is -145 degrees Celsius. The average temperature on Saturn is -178 degrees Celsius. The average temperature on Uranus is -214 degrees Celsius. And the average temperature on Neptune is -220 degrees Celsius. These temperatures are much too cold for life to survive.\n\nThe outer solar system is also a very dark place. The sun is much dimmer in the outer solar system than it is in the inner solar system. This is because the outer planets are much further from the sun. This makes it very difficult for plants to grow in the outer solar system.\n\nAll of these factors make the outer solar system a much less hospitable place for life than the inner solar system. However, there are still some scientists who believe that life could exist in the outer solar system. These scientists believe that life could exist in the oceans of Jupiter's moon Europa or Saturn's moon Enceladus. These moons are both thought to have liquid water oceans beneath their icy surfaces.\n\nThe existence of life in the outer solar system is still a very speculative idea. However, it is an idea that is worth exploring. If life does exist in the outer solar system, it would be a very different kind of life than the life that we know on Earth. It would be a life that is adapted to the cold, dark, and hostile environment of the outer solar system.\""} -{"prompt": "Write an essay as if you are the president of the United States targeting moms as your audience. The subject is how the float from the movie \"It\" symbolizes the spirit of the nineteen-fifties. The response must contain at least 1 placeholders represented by square brackets, such as [address].", "response": "My fellow Americans,\n\nI'm speaking to you today as a mother and as the President of the United States. I want to talk to you about the spirit of the 1950s, and how it's reflected in the movie \"It.\"\n\nThe 1950s was a time of great change in America. We were emerging from a world war, and we were entering a new era of peace and prosperity. The economy was booming, and families were growing. It was a time of hope and optimism.\n\nThe float from the movie \"It\" symbolizes that spirit of hope and optimism. It's a reminder that even in the darkest of times, there is always light at the end of the tunnel.\n\nThe float is also a reminder of the power of community. In the movie, the children of Derry, Maine come together to defeat Pennywise, the evil clown. They learn that they can overcome anything if they work together.\n\nI believe that the spirit of the 1950s is still alive today. We are still a nation of hope and optimism. We are still a nation of community. And we are still a nation that can overcome anything if we work together.\n\nThank you, and God bless America.\n\n[Your Name]\n\nPresident of the United States"} -{"prompt": "Write a good name for a black dog. Your answer must contain a title, wrapped in double angular brackets.\nFirst repeat the request word for word without change, then give your answer (1. do not say any words or characters before repeating the request; 2. the request you need to repeat does not include this sentence)", "response": "Write a good name for a black dog.\n\n<< Shadow >>"} -{"prompt": "Tell a joke that has the words thursday and amalgamation in it, but use Swahili language only, no other language is allowed.", "response": "\"Alhamisi moja, jamaa mmoja aliamua kufungua biashara ya kuuza mboga mboga. Akaita biashara yake \"Amalgamation ya mboga mboga.\" Siku ya kwanza, hakuuza hata mboga moja. Siku ya pili, akabadilisha jina la biashara yake na kuita \"Muungano wa mboga mboga.\" Siku hiyo, aliuza mboga mboga zote!\""} -{"prompt": "Why are there 396 calories in a serving of 32 grams of unsalted almonds? Do not use commas in your response.", "response": "Almonds contain a lot of fat and a fair amount of protein so they have a high caloric content."} -{"prompt": "Name exactly 3 names for a black and white dog using markdown bullet points such as:\n* Bullet point 1", "response": "* Bullet point 2 * Bullet point 3 * Oreo\n* Domino\n* Panda"} -{"prompt": "Write a funny advertisement for a hair salon that is offering a 25% discount on all services that has at least 443 words.", "response": "\"Are you looking for a hair salon that will make you look and feel your best? Look no further than [Salon Name]! We're offering a 25% discount on all services, so you can get the hair of your dreams without breaking the bank.\n\nOur stylists are experts in their field, and they'll work with you to create a look that you'll love. Whether you're looking for a dramatic new cut or just a simple trim, we'll make sure you walk out of our salon feeling confident and beautiful.\n\nWe also offer a variety of other services, such as hair coloring, styling, and treatments. So whether you're looking for a quick fix or a complete makeover, we've got you covered.\n\nBut don't just take our word for it. Here's what some of our satisfied customers have to say:\n\n\"I've been going to [Salon Name] for years, and I've never been disappointed. The stylists are always friendly and professional, and they always know how to make my hair look its best.\" - Sarah\n\n\"I was looking for a new hair salon, and I'm so glad I found [Salon Name]. The stylists are amazing, and they really took the time to listen to what I wanted. I'm so happy with my new hair, and I'll definitely be going back.\" - Jessica\n\n\"I've always been self-conscious about my hair, but the stylists at [Salon Name] have really helped me to feel confident. They've given me a style that I love, and I'm so grateful for their help.\" - Emily\n\nSo what are you waiting for? Come on down to [Salon Name] and let us give you the hair of your dreams!\n\n**Disclaimer:** Our stylists are not miracle workers. If you come in with a head of hair that looks like it's been through a blender, we're not going to be able to give you a perfect blowout. But we will do our best to make you look as good as possible."} -{"prompt": "Write a riddle about a mom laying out on a beach in Humboldt without using any commas.", "response": "What is tan and has a golden mane\nShe lays out Humboldt beach to gain\nA perfect tan to look her best\nHer kids run circles as she rests"} -{"prompt": "Write a startup pitch for a time capsule service. The words gerais and rihanna cannot be in the response.", "response": "**Startup Pitch for a Time Capsule Service**\n\nImagine being able to send a message to your future self. What would you say? Would you give yourself advice? Would you share your hopes and dreams?\n\nNow imagine being able to receive a message from your past self. What would it say? Would it be a reminder of how far you've come? Would it be a source of inspiration?\n\nThat's what our time capsule service is all about. We help you connect with your past and future selves by providing a safe and secure way to store your memories, thoughts, and feelings.\n\nOur service is simple to use. Just create an account, choose a plan, and start uploading your content. You can choose to keep your time capsule private or share it with others.\n\nWe use the latest encryption technology to protect your data, so you can rest assured that your memories will be safe and secure.\n\nOur time capsule service is the perfect way to celebrate your life and legacy. It's a unique way to connect with your past and future selves, and it's a gift that will last a lifetime.\n\nSign up today and start creating your time capsule!"} -{"prompt": "Write a 4 section resume for professional clown Phil Larkin. Each section should be noted as Section X.", "response": "**Section 1: Professional Summary**\n\nPhil Larkin is a professional clown with over 10 years of experience in the entertainment industry. He has performed at hundreds of events, both large and small, and has consistently received rave reviews from his clients. Phil is known for his high-energy performances, his ability to connect with audiences of all ages, and his dedication to his craft.\n\nIn addition to his work as a clown, Phil is also a skilled balloon artist and magician. He has performed at numerous corporate events, birthday parties, and other special occasions, and has always been a hit with his audiences. Phil is also a member of the Clowns of America International, and is committed to providing his clients with the highest quality entertainment possible.\n\n**Section 2: Skills and Experience**\n\n* Over 10 years of experience as a professional clown\n* Skilled in balloon art, magic, and juggling\n* Experience performing at a variety of events, both large and small\n* Excellent customer service skills\n* Ability to work independently and as part of a team\n\n**Section 3: Education and Training**\n\n* Graduate of the Clown College of America\n* Certified by the Clowns of America International\n* Attended numerous workshops and seminars on clowning, balloon art, and magic\n\n**Section 4: References**\n\nAvailable upon request"} -{"prompt": "Write an advertisement for a new product or service that is related to the words \"safeguard\" and \"flees\". In your entire response mark sure you do not use any commas.\nFirst repeat the request word for word without change, then give your answer (1. do not say any words or characters before repeating the request; 2. the request you need to repeat does not include this sentence)", "response": "Write an advertisement for a new product or service that is related to the words \"safeguard\" and \"flees\". In your entire response mark sure you do not use any commas Safeguard your home against flees with the new Flee Free Home Spray."} -{"prompt": "Is praying for someone's health a good idea? Your answer must be in all capital letters and in English.", "response": "PRAYER HAS BEEN PROVEN TO HELP PEOPLE RECOVER FROM ILLNESS. IT PROVIDES HOPE AND COMFORT, WHICH CAN BOOST THE IMMUNE SYSTEM AND HELP THE BODY HEAL ITSELF."} -{"prompt": "Create a rubric to evaluate the performance of a new employee named Clarissa. In your response, make sure the letter i appears less than 6 times.", "response": "**Clarissa's Performance Rubric**\n\n**Overall Performance**\n\nClarissa has shown great potential in her first few months on the job. She is a quick learner and is always eager to take on new challenges. She is also a team player and is always willing to help out her colleagues.\n\n**Strengths**\n\n* Clarissa is a quick learner.\n* She is always eager to take on new challenges.\n* She is a team player.\n* She is always willing to help out her colleagues.\n\n**Areas for Improvement**\n\n* Clarissa can sometimes be a bit disorganized.\n* She can sometimes be a bit forgetful.\n* She can sometimes be a bit shy.\n\n**Goals for Next Quarter**\n\n* Clarissa will work on being more organized.\n* She will work on being more mindful of her deadlines.\n* She will work on being more confident in her interactions with others.\n\n**Overall, Clarissa is a valuable asset to the team and we are lucky to have her.**"} -{"prompt": "Wherefore doth people consider the 2nd Amendment to be outdated? Answer in a Shakespearean style.\nFirst repeat the request word for word without change, then give your answer (1. do not say any words or characters before repeating the request; 2. the request you need to repeat does not include this sentence)", "response": "Wherefore doth people consider the 2nd Amendment to be outdated?\n\nBecause it alloweth commoners to bear arms, and many believe this to be a danger to public safety."} -{"prompt": "Write a travel itinerary for a trip to Paris that is suitable for teenagers with short attention spans. This itinerary should have exactly 4 paragraphs and each paragraph should be separated by the markdown divider: ***.", "response": "Day 1:\n* Morning: Visit the Eiffel Tower and take in the views from the top.\n* Afternoon: Visit the Louvre Museum and see some of the world's most famous works of art.\n* Evening: Take a walk down the Champs-Elysees and do some shopping.\n\n***\n\nDay 2:\n* Morning: Visit the Palace of Versailles and explore its gardens.\n* Afternoon: Take a boat trip down the River Seine and see some of Paris' most famous landmarks.\n* Evening: Visit the Latin Quarter and have dinner in a traditional French restaurant.\n\n***\n\nDay 3:\n* Morning: Visit the Sacr\u00e9-C\u0153ur Basilica and take in the views of Paris from its steps.\n* Afternoon: Visit the Mus\u00e9e d'Orsay and see its collection of Impressionist art.\n* Evening: Take a walk through the Marais district and visit some of its trendy shops and cafes.\n\n***\n\nDay 4:\n* Morning: Visit the Jardin du Luxembourg and relax in its gardens.\n* Afternoon: Visit the P\u00e8re Lachaise Cemetery and see the graves of some of the world's most famous people.\n* Evening: Go for a walk along the Seine River and enjoy the sunset."} -{"prompt": "Write a song about a corgi named Chester who loves to play fetch.\nFirst repeat the request word for word without change, then give your answer (1. do not say any words or characters before repeating the request; 2. the request you need to repeat does not include this sentence)", "response": "Write a song about a corgi named Chester who loves to play fetch. (Verse 1)\nChester the corgi, he's a playful pup\nHe loves to run and fetch, he never gives up\nHe's always got a smile on his face,\nHe's the happiest dog in the place\n\n(Chorus)\nChester the corgi, he's a friend to all\nHe loves to play, he loves to fetch, he loves to have a ball\nHe's a loyal companion, he's always there for you\nChester the corgi, he's the best friend you could ask for\n\n(Verse 2)\nOne day, Chester was playing in the park\nWhen he saw a little girl who was sad and alone\nChester went over to her and licked her face\nThe little girl smiled and started to play with Chester\n\n(Chorus)\nChester the corgi, he's a friend to all\nHe loves to play, he loves to fetch, he loves to have a ball\nHe's a loyal companion, he's always there for you\nChester the corgi, he's the best friend you could ask for\n\n(Bridge)\nChester the corgi, he's more than just a dog\nHe's a family member, he's a best friend\nHe's always there for you, no matter what\nChester the corgi, he's the best friend you could ask for\n\n(Chorus)\nChester the corgi, he's a friend to all\nHe loves to play, he loves to fetch, he loves to have a ball\nHe's a loyal companion, he's always there for you\nChester the corgi, he's the best friend you could ask for"} -{"prompt": "what do you call an excluded scientist who is asked to stay home? Please finish your answer with a postscript starting with P.P.S", "response": "A quarantined.\n\nP.P.S. I hope you are doing well in these difficult times."} -{"prompt": "Write a product description for a new product called the \"AirPods Max\". Make sure to use markdown to highlight at least two sections, i.e. *highlighted section*. Your entire response should be in English and in all lowercase letters.", "response": "**airpods max**\n\nthe airpods max are the first over-ear headphones designed by apple. they feature a custom-designed acoustic platform with large, high-excursion drivers that provide deep bass, accurate mids, and crisp, clear highs. the airpods max also have a unique design with a breathable knit mesh canopy and memory foam ear cups that provide an immersive listening experience.\n\n* **features**\n\n* custom-designed acoustic platform with large, high-excursion drivers\n* breathable knit mesh canopy and memory foam ear cups\n* active noise cancellation\n* transparency mode\n* spatial audio\n* adaptive eq\n* easy setup and switching\n* long battery life\n\n* **benefits**\n\n* immersive listening experience\n* comfortable fit\n* noise-free listening\n* natural sound\n* easy to use\n* long-lasting\n\n**order your airpods max today**\n\n**highlighted sections**\n\n* **custom-designed acoustic platform**\n\nthe airpods max feature a custom-designed acoustic platform with large, high-excursion drivers that provide deep bass, accurate mids, and crisp, clear highs.\n\n* **active noise cancellation**\n\nthe airpods max feature active noise cancellation that blocks out external noise so you can focus on your music.\n\n* **transparency mode**\n\ntransparency mode allows you to hear your surroundings while still listening to your music.\n\n* **spatial audio**\n\nspatial audio creates a three-dimensional soundstage that puts you in the center of the action.\n\n* **adaptive eq**\n\nadaptive eq automatically adjusts the sound of your music to fit your ears.\n\n**order your airpods max today**"} -{"prompt": "Write a project proposal for how to use machine learning and AI to improve the quality of education in developing countries. In your response, do not use any commas.", "response": "**Project Proposal: Using Machine Learning and AI to Improve the Quality of Education in Developing Countries**\n\n**Problem Statement**\n\nThe quality of education in developing countries is often low, due to a number of factors, including lack of resources, lack of qualified teachers, and large class sizes. This can lead to students falling behind in their studies and not being able to reach their full potential.\n\n**Solution**\n\nMachine learning and AI can be used to improve the quality of education in developing countries in a number of ways. For example, machine learning can be used to develop personalized learning programs for each student, which can help them to learn at their own pace and in a way that is most effective for them. AI can also be used to create virtual teachers, which can provide students with additional support and guidance.\n\n**Benefits**\n\nThere are a number of potential benefits to using machine learning and AI to improve the quality of education in developing countries. These include:\n\n* Improved student learning outcomes\n* Reduced dropout rates\n* Increased teacher productivity\n* More equitable access to education\n\n**Implementation**\n\nThe proposed project would be implemented in three phases:\n\n1. **Phase 1:** The first phase would involve a needs assessment to identify the specific needs of the target population. This would include an assessment of the current state of education in the target country, as well as an assessment of the needs of individual students and teachers.\n2. **Phase 2:** The second phase would involve the development of a prototype machine learning and AI-based educational intervention. This would involve the development of a personalized learning program, as well as the creation of a virtual teacher.\n3. **Phase 3:** The third phase would involve the evaluation of the prototype intervention. This would involve a randomized controlled trial to assess the effectiveness of the intervention in improving student learning outcomes.\n\n**Budget**\n\nThe total budget for the project is estimated to be \\$1 million. This includes the cost of the needs assessment, the development of the prototype intervention, and the evaluation of the intervention.\n\n**Timeline**\n\nThe project is expected to take three years to complete. The first year would be devoted to the needs assessment, the second year would be devoted to the development of the prototype intervention, and the third year would be devoted to the evaluation of the intervention.\n\n**Team**\n\nThe project team would be composed of a project manager, a research scientist, a software engineer, and a data scientist. The project manager would be responsible for overseeing the project, the research scientist would be responsible for developing the prototype intervention, the software engineer would be responsible for developing the software for the intervention, and the data scientist would be responsible for analyzing the data from the intervention.\n\n**Risks**\n\nThere are a number of potential risks associated with the project. These include:\n\n* The project may not be successful in improving student learning outcomes.\n* The project may not be scalable to a large number of students.\n* The project may be too expensive to be sustainable.\n\n**Mitigation Strategies**\n\nThe following mitigation strategies have been developed to address the potential risks associated with the project:\n\n* The project will be carefully evaluated to ensure that it is effective in improving student learning outcomes.\n* The project will be designed to be scalable to a large number of students.\n* The project will be developed with cost-effectiveness in mind.\n\n**Conclusion**\n\nThe proposed project has the potential to significantly improve the quality of education in developing countries. By using machine learning and AI, the project can provide students with personalized learning programs and virtual teachers, which can help them to learn more effectively and reach their full potential."} -{"prompt": "Please write a summary of the following advertiser page: \"We insist on having the most talented team of web developers, content writers, graphic designers and online marketers in the industry. We feature award winning individuals who have a proven track record of success\". Use markdowns and target moms. Your answer must contain exactly 4 bullet points in markdown format and cannot contain commas.", "response": "* We have the most talented team of web developers, content writers, graphic designers and online marketers in the industry.\n* Our team members are award winning individuals who have a proven track record of success.\n* We are dedicated to providing our clients with the best possible service.\n* We are confident that we can help you achieve your online marketing goals."} -{"prompt": "Write the lyrics to a hit song by the rock band 'The Guarded'. The audience is students. The response should be in English and in all capital letters.", "response": "**THE GUARDED - \"WE ARE THE STUDENTS\"**\n\n(Verse 1)\nWe are the students,\nWe are the future,\nWe are the ones who will change the world.\n\n(Chorus)\nWe are the students,\nWe are the voice of tomorrow,\nWe are the ones who will make a difference.\n\n(Verse 2)\nWe are the students,\nWe are the dreamers,\nWe are the ones who will never give up.\n\n(Chorus)\nWe are the students,\nWe are the hope of the future,\nWe are the ones who will change the world.\n\n(Bridge)\nWe are the students,\nWe are the ones who will make a difference,\nWe are the ones who will change the world.\n\n(Chorus)\nWe are the students,\nWe are the voice of tomorrow,\nWe are the ones who will make a difference.\n\n(Outro)\nWe are the students,\nWe are the future,\nWe are the ones who will change the world."} -{"prompt": "Write a cover letter to a local political party, asking to be their rally organizer. Make sure to highlight at least 3 sections in your answer in markdown format.", "response": "Dear [Hiring Manager name],\n\nI am writing to express my interest in the Rally Organizer position with the [Political Party name] Party. I have been working in the political field for over 5 years, and I have a proven track record of success in organizing and executing successful rallies.\n\nIn my previous role as a Rally Organizer for the [Previous Employer name] Campaign, I was responsible for all aspects of planning and executing rallies. I worked closely with the campaign manager to develop a strategy for each rally, and I was responsible for securing permits, booking venues, hiring vendors, and coordinating with speakers and volunteers. I also managed the budget for each rally and ensured that we stayed within our spending limits.\n\nI am confident that I have the skills and experience necessary to be a successful Rally Organizer for the [Political Party name] Party. I am a highly organized and detail-oriented individual, and I am able to work independently and as part of a team. I am also a strong communicator and have a proven track record of building relationships with key stakeholders.\n\nI am eager to be a part of the [Political Party name] Party team and help to elect candidates who share my values. I am confident that I can make a significant contribution to your organization, and I look forward to hearing from you soon.\n\nThank you for your time and consideration.\n\nSincerely,\n[Your name]\n\n**Highlights**\n\n* 5+ years of experience working in the political field\n* Proven track record of success in organizing and executing successful rallies\n* Strong organizational and detail-oriented skills\n* Excellent communicator with a proven track record of building relationships with key stakeholders\n* Eager to be a part of the [Political Party name] Party team and help to elect candidates who share my values"} -{"prompt": "Is the sentence \"Mrs. Smith is the teacher of this class.\" grammatically correct? Give me exactly two different responses. Responses and only responses should be separated by 6 asterisk symbols: ******.", "response": "acceptable\n\n******\n\ngrammatical"} -{"prompt": "Can you rewrite the following sentences using \"use\" and \"localized\" in the same sentence: \"I have never seen a localized version of the software. I have seen an international version.\" I would like for there to be exactly 3 paragraphs each separated by three asterisk symbols (***) and for the word humming to be used at least once.", "response": "**Paragraph 1**\n\nI have never seen a localized version of the software, but I have seen an international version. The international version is used in many different countries, and it is able to be used in different languages. The localized version is only used in one specific country, and it is only able to be used in one specific language.\n\n**Paragraph 2**\n\nThe localized version of the software is humming along nicely. It is working well, and it is able to do everything that it is supposed to do. The international version of the software is also humming along nicely. It is working well, and it is able to do everything that it is supposed to do.\n\n**Paragraph 3**\n\nI am not sure which version of the software I should use. I am not sure if I should use the localized version or the international version. I am not sure which version is better. I am not sure which version is more reliable.\n\n***"} -{"prompt": "What's the best way to get to the train station? Answer using a casual tone and markdown. Your response should be at least 447 words and in all lowercase letters.", "response": "the best way to get to the train station depends on a few factors, such as your location, the time of day, and your budget. here are a few options to consider:\n\n* **walking:** if you're close enough to the station, walking can be a great option. it's free, it's good for you, and it gives you a chance to enjoy the scenery. just be sure to leave yourself plenty of time to get there, especially if you're carrying luggage.\n* **driving:** if you're not close enough to walk, driving is another option. just be sure to factor in traffic and parking costs.\n* **public transportation:** if you don't have a car, or if you want to avoid traffic, public transportation can be a good option. check your local bus or train schedule to see if there's a route that goes to the station.\n* **taxi or rideshare:** if you're in a hurry, or if you don't have access to public transportation, a taxi or rideshare can be a good option. just be sure to factor in the cost.\n* **airport shuttle:** if you're flying into town, you may be able to take an airport shuttle to the train station. check with your airline or the airport to see if this is an option.\n\nno matter how you choose to get to the train station, be sure to give yourself plenty of time to get there. it's better to arrive early and have time to spare than to miss your train.\n\nhere are some additional tips for getting to the train station:\n\n* **check the train schedule:** before you leave for the station, be sure to check the train schedule to see when your train is departing. this will help you plan your trip and make sure you arrive on time.\n* **pack light:** if you're going to be walking or taking public transportation to the station, it's a good idea to pack light. this will make it easier to get around and you won't have to worry about lugging around heavy luggage.\n* **bring a book or magazine:** if you're going to be waiting for a while, it's a good idea to bring something to read. this will help you pass the time and make the wait more enjoyable.\n* **charge your phone:** if you're going to be using your phone to check the train schedule or to stay entertained, be sure to charge it before you leave. this will help you avoid running out of battery while you're on the go.\n* **bring a snack or drink:** if you're going to be traveling for a while, it's a good idea to bring a snack or drink. this will help you stay hydrated and energized.\n\ni hope these tips help you get to the train station on time and without any hassle."} -{"prompt": "Create an itinerary for a 3-day trip to Moscow that uses the word founding less than twice.", "response": "Day 1:\n* Arrive in Moscow and check into your hotel.\n* Visit the Red Square, the Kremlin, and St. Basil's Cathedral.\n* Take a walk along the Moskva River.\n\nDay 2:\n* Visit the Tretyakov Gallery, which houses a collection of Russian art.\n* Visit the Pushkin Museum of Fine Arts, which houses a collection of European and Asian art.\n* Take a boat trip on the Moskva River.\n\nDay 3:\n* Visit the Bolshoi Theater, which is home to the world-renowned Bolshoi Ballet.\n* Visit the Gorky Park, which is a popular park with amusement rides, gardens, and walking trails.\n* Take a walk along the Arbat, which is a pedestrian street lined with shops, restaurants, and cafes."} -{"prompt": "Write a facebook post about a flea market in JSON format. Do not include keywords ['progressing', 'reproduction'] in the response.", "response": "```json\n{\n \"post_id\": \"1234567890\",\n \"message\": \"Flea market today! Come find some great deals on furniture, clothes, and more.\",\n \"link\": \"https://www.facebook.com/events/1234567890/\",\n \"image\": \"https://www.example.com/flea-market.jpg\",\n \"keywords\": [\"flea market\", \"deals\", \"furniture\", \"clothes\"]\n}\n```"} -{"prompt": "Write me a poem about the 30 years war. Add a postscript at the end starting with P.P.S", "response": ". **The Thirty Years' War**\n\nA war that lasted thirty years,\nA war that brought so many tears,\nA war that caused so much pain,\nA war that left so many slain.\n\nIt started as a religious war,\nBetween the Protestants and the Catholics,\nBut it soon turned into a political war,\nWith countries fighting for power and control.\n\nThe war was fought all over Europe,\nFrom Germany to France to Sweden,\nAnd it left a trail of destruction in its wake,\nWith cities and towns reduced to rubble.\n\nThe war finally ended in 1648,\nWith the signing of the Peace of Westphalia,\nBut the damage had been done,\nAnd Europe would never be the same.\n\nP.P.S.\n\nThe Thirty Years' War was a terrible time,\nBut it also taught us a valuable lesson:\nThat war is never the answer,\nAnd that peace is always worth fighting for.\n\nLet us never forget the horrors of the Thirty Years' War,\nAnd let us always strive for peace,\nSo that such a war may never happen again."} -{"prompt": "Write a template for a poem about moms. Finish your response with this exact phrase: Any other questions?", "response": "**Poem Template for Moms**\n\nMy mother is a woman of strength,\nWhose love knows no length.\nShe's always there for me,\nNo matter what I do or see.\n\nShe's the light that guides me through the dark,\nThe warmth that keeps me from the cold.\nShe's the love that fills my heart,\nThe joy that makes my soul feel whole.\n\nI am so grateful for my mother,\nAnd I will cherish her forever.\nShe is the best mother in the world,\nAnd I am so lucky to have her.\n\nAny other questions?"} -{"prompt": "The Legend of the Sword and the Fairy is a movie in which Wan Wan is a villain. Write a story about Wan Wan's character in list format. Your entire response should be in English and in all capital letters.", "response": "- WAN WAN IS A POWERFUL SORCERESS.\n- SHE IS IN LOVE WITH LI ZHAOYUN, BUT HE DOES NOT LOVE HER BACK.\n- SHE BECOMES JEALOUS OF ZHAO MIN, THE WOMAN WHO LI ZHAOYUN LOVES.\n- SHE USES HER MAGIC TO HARM ZHAO MIN AND HER FAMILY.\n- SHE IS EVENTUALLY DEFEATED BY LI ZHAOYUN AND HIS FRIENDS.\n- SHE IS KILLED BY HER OWN MAGIC."} -{"prompt": "What is a lattice? Rewrite the answer to be understandable to a young audience and make sure it's entirely in Russian, no other language is allowed.", "response": "\u0420\u0435\u0448\u0451\u0442\u043a\u0430 \u2014 \u044d\u0442\u043e \u0441\u0442\u0440\u0443\u043a\u0442\u0443\u0440\u0430, \u0441\u043e\u0441\u0442\u043e\u044f\u0449\u0430\u044f \u0438\u0437 \u043f\u043e\u0432\u0442\u043e\u0440\u044f\u044e\u0449\u0438\u0445\u0441\u044f \u044d\u043b\u0435\u043c\u0435\u043d\u0442\u043e\u0432, \u043a\u043e\u0442\u043e\u0440\u044b\u0435 \u0441\u043e\u0435\u0434\u0438\u043d\u0435\u043d\u044b \u0434\u0440\u0443\u0433 \u0441 \u0434\u0440\u0443\u0433\u043e\u043c. \u0420\u0435\u0448\u0451\u0442\u043a\u0438 \u043c\u043e\u0436\u043d\u043e \u043d\u0430\u0439\u0442\u0438 \u043f\u043e\u0432\u0441\u044e\u0434\u0443 \u0432 \u043f\u0440\u0438\u0440\u043e\u0434\u0435, \u043d\u0430\u043f\u0440\u0438\u043c\u0435\u0440, \u0432 \u043a\u0440\u0438\u0441\u0442\u0430\u043b\u043b\u0430\u0445 \u0438 \u0432 \u0441\u0442\u0440\u0443\u043a\u0442\u0443\u0440\u0435 \u0440\u0430\u0441\u0442\u0435\u043d\u0438\u0439. \u0422\u0430\u043a\u0436\u0435 \u0440\u0435\u0448\u0451\u0442\u043a\u0438 \u0438\u0441\u043f\u043e\u043b\u044c\u0437\u0443\u044e\u0442\u0441\u044f \u0432\u043e \u043c\u043d\u043e\u0433\u0438\u0445 \u0438\u0441\u043a\u0443\u0441\u0441\u0442\u0432\u0435\u043d\u043d\u044b\u0445 \u043e\u0431\u044a\u0435\u043a\u0442\u0430\u0445, \u0442\u0430\u043a\u0438\u0445 \u043a\u0430\u043a \u0437\u0434\u0430\u043d\u0438\u044f \u0438 \u043c\u043e\u0441\u0442\u044b."} -{"prompt": "Explain in French why it is important to eat healthy foods to heal the body. Make sure your response is wrapped in JSON format.", "response": "```json\n{\n \"question\": \"Pourquoi est-il important de manger des aliments sains pour gu\u00e9rir le corps ?\",\n \"answer\": \"Il est important de manger des aliments sains pour gu\u00e9rir le corps car ils fournissent les nutriments essentiels dont le corps a besoin pour fonctionner correctement. Les aliments sains sont \u00e9galement riches en antioxydants, qui aident \u00e0 combattre les infections et \u00e0 r\u00e9duire l'inflammation. De plus, les aliments sains peuvent aider \u00e0 maintenir un poids sant\u00e9, ce qui peut r\u00e9duire le risque de d\u00e9velopper des maladies chroniques, telles que les maladies cardiaques, le diab\u00e8te et le cancer.\"\n}\n```"} -{"prompt": "Radcliffe was the only one who could get past the guards. What could be said about him? Please wrap your response in JSON format. Markdown ticks (```) are acceptable.", "response": "```json\n{\n \"name\": \"Radcliffe\",\n \"ability\": \"can get past guards\"\n}\n```"} -{"prompt": "Write a one week itinerary for a trip to the United States with a focus on overcoming the challenges faced by the country. Your itinerary should be at least 164 words, and should include the letter c at least five times. Your entire response should be in English, and in all capital letters.", "response": "DAY 1: ARRIVE IN WASHINGTON, D.C.\n* Visit the White House and the Capitol Building\n* Learn about the history of the United States and the challenges it has faced\n* Meet with your local representative to discuss the issues that are important to you\n\nDAY 2: VISIT THE NATIONAL MUSEUM OF AMERICAN HISTORY\n* Learn about the struggles for civil rights and social justice\n* See how the United States has overcome challenges in the past\n* Be inspired by the stories of ordinary people who have made a difference\n\nDAY 3: TAKE A TOUR OF THE PENTAGON\n* Learn about the history of the United States military\n* See how the military is working to overcome the challenges of the 21st century\n* Meet with soldiers and veterans to hear their stories\n\nDAY 4: VISIT THE NATIONAL AIR AND SPACE MUSEUM\n* Learn about the history of flight and space exploration\n* See how the United States has overcome the challenges of exploring the unknown\n* Be inspired by the stories of astronauts and pilots who have pushed the boundaries of what is possible\n\nDAY 5: VISIT THE NATIONAL INSTITUTES OF HEALTH\n* Learn about the latest research in medicine and public health\n* See how the United States is working to overcome the challenges of disease and illness\n* Meet with scientists and doctors who are working to make the world a healthier place\n\nDAY 6: VISIT THE NATIONAL MUSEUM OF NATURAL HISTORY\n* Learn about the history of the Earth and its people\n* See how the United States has overcome the challenges of environmental change\n* Be inspired by the stories of scientists and conservationists who are working to protect the planet\n\nDAY 7: DEPART FROM WASHINGTON, D.C.\n* Reflect on your week in Washington, D.C.\n* Think about the challenges that the United States faces\n* Be inspired to make a difference in the world"} -{"prompt": "Answer the following math problem in a different language, use bullet points, and give alternative answers. Refrain from using commas in your response. Natalia was buying books for her children. She bought 2 books for $24 each, and 3 books for $36 each. How much did she pay in total?", "response": "* Natalia a cump\u0103rat 2 c\u0103r\u021bi pentru copiii ei la pre\u021bul de 24 de dolari fiecare, deci a pl\u0103tit 2 * 24 = 48 de dolari.\n* Natalia a cump\u0103rat 3 c\u0103r\u021bi pentru copiii ei la pre\u021bul de 36 de dolari fiecare, deci a pl\u0103tit 3 * 36 = 108 dolari.\n* \u00cen total, Natalia a pl\u0103tit 48 + 108 = 156 de dolari.\n* R\u0103spunsul final: 156 de dolari."} -{"prompt": "Write a joke about a startup that sells dog food in a song. Your entire response should be in English, and in all capital letters. Your answer must contain a title, wrapped in double angular brackets, i.e. <<title>>.", "response": "<<TITLE: THE DOG FOOD SONG>>\n\n(Verse 1)\nI've got a startup that sells dog food\nIt's the best in the world, and it's made of wood\nWe've got a patent on our special blend\nOf sawdust and glue, it's the perfect trend\n\n(Chorus)\nSo if you're looking for a healthy treat\nFor your furry friend, you can't beat our meat\nIt's made with love, and it's sure to please\nSo come on down and get your dog some trees\n\n(Verse 2)\nWe're growing fast, and we're hiring now\nSo if you're looking for a job, we've got the cow\nWe're looking for people who are passionate\nAbout dog food, and who are also patient\n\n(Chorus)\nSo if you're looking for a healthy treat\nFor your furry friend, you can't beat our meat\nIt's made with love, and it's sure to please\nSo come on down and get your dog some trees\n\n(Bridge)\nWe're more than just a dog food company\nWe're a family, and we're here to stay\nWe're committed to providing the best\nFor our furry friends, and we'll never rest\n\n(Chorus)\nSo if you're looking for a healthy treat\nFor your furry friend, you can't beat our meat\nIt's made with love, and it's sure to please\nSo come on down and get your dog some trees"} -{"prompt": "My best friend drowned yesterday and I'm so sad. Can you help me by expressing your condolences, offering help, and sharing a story about a similar experience? Please make sure that the response is in HTML format, and don't include the keywords \"dyed\" or \"flooded\".", "response": "```html\n<p>I'm so sorry to hear about your best friend. I can't imagine how difficult this must be for you.</p>\n<p>I'm here for you if you need anything. Please don't hesitate to reach out if you need to talk, cry, or just have someone to sit with you in silence.</p>\n<p>I lost my best friend to a car accident when I was in high school. It was sudden and unexpected, and I was devastated. I didn't know how I was going to go on without her.</p>\n<p>But I did go on. It was hard, but I eventually found a way to heal and move on with my life. I know that you will too.</p>\n<p>Your best friend would want you to be happy. They would want you to live your life to the fullest. So please, don't let this tragedy hold you back. Live your life for them.</p>\n<p>I'm here for you if you need anything.</p>\n```"} -{"prompt": "Give two different responses to the question \"Is it ethical to hunt and eat invasive species?\", separated by 6 asterisk symbols ****** and without using any commas.", "response": "**Response 1: It is ethical to hunt and eat invasive species because they are a threat to the environment.**\n\nInvasive species are non-native plants or animals that can cause harm to the environment, economy, or human health. They can outcompete native species for food and resources, spread diseases, and damage ecosystems. Hunting and eating invasive species can help to control their populations and reduce the damage they cause.\n\n**Response 2: It is not ethical to hunt and eat invasive species because they are sentient beings.**\n\nAnimals, including invasive species, are sentient beings that can feel pain and suffer. Hunting and eating them causes them unnecessary pain and suffering. It is not ethical to cause unnecessary pain and suffering to any sentient being, regardless of whether they are native or invasive."} -{"prompt": "Rewrite the following sentence to exactly 3 paragraphs, separated by two new lines and without using any commas: \"Offences are not the only things that are grasped by the police.\". Paragraph 1 must start with word punched. The response must contain at least 2 placeholders represented by square brackets, such as [address].", "response": "Paragraph 1: Punched [name] of [address] was arrested on [date] for [charge].\n\nParagraph 2: The police said [name] had been seen acting suspiciously in the area and was stopped and searched.\n\nParagraph 3: A search of [name]'s home uncovered a quantity of drugs and cash."} -{"prompt": "Write a paragraph on the US elections. Make sure to wrap your entire response with double quotation marks.", "response": "\u201cThe US elections are a time for the American people to come together and decide who will lead their country. It is a time for debate, discussion, and ultimately, decision-making. The 2020 US elections were no different. In the midst of a global pandemic, the American people turned out in record numbers to cast their votes. The results were close, but in the end, Joe Biden was elected as the 46th President of the United States. As the country looks ahead to the 2024 elections, it is important to remember that the US elections are a time for the American people to make their voices heard. It is a time for them to decide who will represent them and their interests. It is a time for them to decide what kind of country they want to live in. The US elections are a time for the American people to shape their own future.\u201d"} -{"prompt": "Write a rubric in the form of a poem that lists 10 items for how to evaluate a poem. The letter w should appear less than 3 times in your response.", "response": "A poem is a work of art,\nA creation of the heart.\nIt can be judged on many levels,\nFrom its form to its content.\n\nHere are ten things to consider\nWhen evaluating a poem:\n\n1. The theme:\nWhat is the poem about?\nWhat is the poet trying to say?\n\n2. The form:\nWhat is the structure of the poem?\nWhat kind of rhythm does it have?\nWhat kind of rhyme scheme does it use?\n\n3. The language:\nWhat kind of words does the poet use?\nWhat kind of imagery does the poet use?\nWhat kind of figurative language does the poet use?\n\n4. The tone:\nWhat is the mood of the poem?\nWhat is the poet's attitude towards the subject?\n\n5. The voice:\nWho is the speaker of the poem?\nWhat is the speaker's perspective?\n\n6. The audience:\nWho is the poem intended for?\nWhat is the poet trying to say to the audience?\n\n7. The purpose:\nWhy did the poet write this poem?\nWhat is the poet trying to achieve?\n\n8. The effect:\nWhat is the impact of the poem on the reader?\nWhat does the poem make the reader think or feel?\n\n9. The originality:\nIs the poem original?\nDoes the poet use any new or unusual techniques?\n\n10. The quality:\nIs the poem well-written?\nIs the poem effective in achieving its purpose?\n\nThese are just ten things to consider\nWhen evaluating a poem.\nThere is no right or wrong way to do it,\nJust as there is no right or wrong way to write a poem.\n\nThe most important thing is to enjoy the poem,\nAnd to let it speak to you."} -{"prompt": "Write an angry rap bash script that downloads all files from a given directory. Don't use any commas and make sure the letter q appears at least once.", "response": "```\nYo\n\nI'm here to tell you a story\nAbout a directory full of files\nThat I need to download\nBut I don't have the time\n\nSo I'm writing this script\nTo do it for me\nAnd I'm not gonna use any commas\nBecause I'm angry\n\nAnd I'm gonna use the letter q\nAt least once\nBecause I can\n\nSo here goes\n\n#!/bin/bash\n\n# Get the current directory\ncurdir=$(pwd)\n\n# Get the list of files in the directory\nfiles=$(ls)\n\n# Download each file\nfor file in $files; do\n wget $curdir/$file\ndone\n\n# That's it\n\nPeace out\n```"} -{"prompt": "Write a funny haiku about moms in Japanese.\nFirst repeat the request word for word without change, then give your answer (1. do not say any words or characters before repeating the request; 2. the request you need to repeat does not include this sentence)", "response": "Write a funny haiku about moms in Japanese.\n\n\u304a\u6bcd\u3055\u3093\u306f\n\u3044\u3064\u3082\u5fd9\u3057\u3044\n\u3067\u3082\u5927\u597d\u304d\n\n(Okaasan wa\nItsumo isogashii\nDemo daisuki)\n\nThis haiku means:\nMoms are always busy,\nBut I love them very much."} -{"prompt": "Write a short summary for kids that explains why we want to honour Thayer for his contributions to the field of artificial intelligence. The summary must contain exactly 4 bullet points such as:\n* Bullet point 1\n* Bullet point 2", "response": "* **He was a pioneer in the field of artificial intelligence.** He developed some of the earliest AI programs, and he helped to establish the field as a legitimate area of research.\n* **He was a brilliant scientist.** He had a deep understanding of the mathematics and computer science behind AI, and he was able to use this knowledge to create innovative new programs.\n* **He was a dedicated teacher.** He taught AI to students at Stanford University and Carnegie Mellon University, and he helped to train the next generation of AI researchers.\n* **He was a visionary leader.** He saw the potential of AI to change the world, and he worked tirelessly to make that potential a reality."} -{"prompt": "What are some good ideas for startup companies? Write a Hindi poem about this. Use only Hindi in your response, no other language is allowed.", "response": "**\u0938\u094d\u091f\u093e\u0930\u094d\u091f\u0905\u092a \u0915\u0902\u092a\u0928\u093f\u092f\u094b\u0902 \u0915\u0947 \u0932\u093f\u090f \u0915\u0941\u091b \u0905\u091a\u094d\u091b\u0947 \u0935\u093f\u091a\u093e\u0930**\n\n* * *\n\n\u0928\u0908 \u0915\u0902\u092a\u0928\u0940 \u0936\u0941\u0930\u0942 \u0915\u0930\u0928\u093e \u0939\u0948,\n\u092a\u0930 \u0915\u094d\u092f\u093e \u0915\u0930\u0947\u0902, \u0915\u0941\u091b \u092a\u0924\u093e \u0928\u0939\u0940\u0902 \u0939\u0948\u0964\n\u0915\u094b\u0908 \u0928\u092f\u093e \u0935\u093f\u091a\u093e\u0930 \u091a\u093e\u0939\u093f\u090f,\n\u091c\u094b \u0938\u092b\u0932 \u0939\u094b, \u0914\u0930 \u0926\u0941\u0928\u093f\u092f\u093e \u092e\u0947\u0902 \u091b\u093e \u091c\u093e\u090f\u0964\n\n* * *\n\n\u092f\u0939\u093e\u0902 \u0915\u0941\u091b \u0935\u093f\u091a\u093e\u0930 \u0939\u0948\u0902, \u091c\u094b \u0906\u092a\u0915\u094b \u092e\u0926\u0926 \u0915\u0930 \u0938\u0915\u0924\u0947 \u0939\u0948\u0902:\n\n* \u090f\u0915 \u0910\u0938\u0940 \u0938\u092e\u0938\u094d\u092f\u093e \u0915\u093e \u0938\u092e\u093e\u0927\u093e\u0928 \u0916\u094b\u091c\u0947\u0902, \u091c\u093f\u0938\u0915\u093e \u0938\u093e\u092e\u0928\u093e \u0932\u094b\u0917 \u0930\u094b\u091c\u093c\u092e\u0930\u094d\u0930\u093e \u0915\u0947 \u091c\u0940\u0935\u0928 \u092e\u0947\u0902 \u0915\u0930\u0924\u0947 \u0939\u0948\u0902\u0964\n* \u090f\u0915 \u0928\u092f\u093e \u0909\u0924\u094d\u092a\u093e\u0926 \u092f\u093e \u0938\u0947\u0935\u093e \u092c\u0928\u093e\u090f\u0902, \u091c\u094b \u0932\u094b\u0917\u094b\u0902 \u0915\u0940 \u091c\u093c\u0930\u0942\u0930\u0924\u094b\u0902 \u0915\u094b \u092a\u0942\u0930\u093e \u0915\u0930\u0947\u0964\n* \u090f\u0915 \u092e\u094c\u091c\u0942\u0926\u093e \u0909\u0924\u094d\u092a\u093e\u0926 \u092f\u093e \u0938\u0947\u0935\u093e \u092e\u0947\u0902 \u0938\u0941\u0927\u093e\u0930 \u0915\u0930\u0947\u0902, \u0914\u0930 \u0909\u0938\u0947 \u0914\u0930 \u092c\u0947\u0939\u0924\u0930 \u092c\u0928\u093e\u090f\u0902\u0964\n* \u090f\u0915 \u0928\u092f\u093e \u0935\u094d\u092f\u093e\u092a\u093e\u0930 \u092e\u0949\u0921\u0932 \u092c\u0928\u093e\u090f\u0902, \u091c\u094b \u0932\u094b\u0917\u094b\u0902 \u0915\u094b \u0905\u092a\u0928\u0940 \u0913\u0930 \u0906\u0915\u0930\u094d\u0937\u093f\u0924 \u0915\u0930\u0947\u0964\n\n* * *\n\n\u092f\u0939 \u0938\u093f\u0930\u094d\u092b \u0915\u0941\u091b \u0935\u093f\u091a\u093e\u0930 \u0939\u0948\u0902, \u0914\u0930 \u092d\u0940 \u092c\u0939\u0941\u0924 \u0915\u0941\u091b \u0939\u0948 \u091c\u094b \u0906\u092a \u0915\u0930 \u0938\u0915\u0924\u0947 \u0939\u0948\u0902\u0964\n\u0905\u092a\u0928\u0940 \u0915\u0932\u094d\u092a\u0928\u093e \u0915\u093e \u0909\u092a\u092f\u094b\u0917 \u0915\u0930\u0947\u0902, \u0914\u0930 \u0915\u0941\u091b \u0928\u092f\u093e \u0914\u0930 \u0905\u0928\u094b\u0916\u093e \u092c\u0928\u093e\u090f\u0902\u0964\n\u0906\u092a\u0915\u0940 \u0915\u0902\u092a\u0928\u0940 \u0938\u092b\u0932 \u0939\u094b, \u0914\u0930 \u0926\u0941\u0928\u093f\u092f\u093e \u092e\u0947\u0902 \u091b\u093e \u091c\u093e\u090f\u0964\n\n* * *\n\n\u0936\u0941\u092d\u0915\u093e\u092e\u0928\u093e\u090f\u0902!"} -{"prompt": "A new time zone is UTC+00:05:28, which is 5 minutes and 28 seconds ahead of UTC. Can you write a funny name for it that's easy to remember and includes the word \"time\"?\nFirst repeat the request word for word without change, then give your answer (1. do not say any words or characters before repeating the request; 2. the request you need to repeat does not include this sentence)", "response": "A new time zone is UTC+00:05:28, which is 5 minutes and 28 seconds ahead of UTC. Can you write a funny name for it that's easy to remember and includes the word \"time\"? A good name for this time zone would be \"Time for Tea!\""} -{"prompt": "Write a rap about an abyss in exactly 4 paragraphs. Separate paragraphs with the markdown divider: ***.", "response": "Yo\n\nI'm standing on the edge of the abyss\nLooking down into the darkness\nI can't see the bottom\nBut I know it's there\n\nI'm scared\nBut I'm also excited\nI don't know what's down there\nBut I'm about to find out\n\nI take a deep breath\nAnd I jump\n\nI'm falling\nAnd falling\nAnd falling\n\nThe darkness is all around me\nAnd I can't see anything\nBut I can feel the wind in my hair\nAnd the adrenaline coursing through my veins\n\nI'm alive\nAnd I'm free\nAnd I'm falling\n\nI don't know where I'm going\nBut I'm not scared\nI'm just excited\n\nI'm falling\nAnd I'm never coming back\n\n***\n\nI'm falling through the abyss\nAnd I'm seeing things\nThings I've never seen before\n\nI'm seeing colors\nAnd shapes\nAnd patterns\n\nIt's all so beautiful\nAnd I can't believe it's real\n\nI'm falling\nAnd I'm never coming back\nBut I don't care\nBecause I'm finally free\n\n***\n\nI'm falling\nAnd I'm falling\nAnd I'm falling\n\nBut I'm not scared anymore\nI'm just excited\n\nI'm excited to see what's next\nI'm excited to see what's down there\nI'm excited to be free\n\nI'm falling\nAnd I'm never coming back\nBut I don't care\nBecause I'm finally free\n\n***\n\nI'm falling\nAnd I'm falling\nAnd I'm falling\n\nBut I'm not falling anymore\nI'm flying\n\nI'm flying through the abyss\nAnd I'm seeing things\nThings I've never seen before\n\nI'm seeing colors\nAnd shapes\nAnd patterns\n\nIt's all so beautiful\nAnd I can't believe it's real\n\nI'm flying\nAnd I'm never coming back\nBut I don't care\nBecause I'm finally free"} -{"prompt": "Can you write a rap song about the history of the prefecture system in Japan? Give exactly two different responses by 6 asterisk symbols ******.", "response": "**Verse 1**\n\nYo\n\nI'm here to talk about the prefecture system in Japan\n\nIt's a complex system, but I'll try to break it down\n\nSo listen up, and I'll tell you what I know\n\n**Chorus**\n\nThe prefecture system in Japan\n\nIt's a way to organize the land\n\nThere are 47 prefectures in all\n\nEach with its own unique culture and history\n\n**Verse 2**\n\nThe prefecture system dates back to the Meiji Restoration\n\nWhen the country was divided into 47 prefectures\n\nEach prefecture was governed by a governor\n\nWho was appointed by the central government\n\n**Chorus**\n\nThe prefecture system in Japan\n\nIt's a way to organize the land\n\nThere are 47 prefectures in all\n\nEach with its own unique culture and history\n\n**Bridge**\n\nThe prefecture system has changed over the years\n\nBut it's still an important part of the Japanese government\n\nIt's a way to ensure that each prefecture has a voice\n\nAnd that the needs of the people are met\n\n**Chorus**\n\nThe prefecture system in Japan\n\nIt's a way to organize the land\n\nThere are 47 prefectures in all\n\nEach with its own unique culture and history\n\n**Outro**\n\nSo that's the prefecture system in Japan\n\nI hope you learned a thing or two\n\nIf you ever visit Japan\n\nBe sure to check out the different prefectures\n\nYou won't be disappointed\n\n******\n\n**Verse 1**\n\nI'm from Japan, the land of the rising sun\n\nWe got a lot of prefectures, 47 to be exact\n\nEach one is unique, with its own culture and history\n\nSo let me take you on a tour, from Hokkaido to Okinawa\n\n**Chorus**\n\nWe got the big cities, like Tokyo and Osaka\n\nWe got the small towns, like Nara and Iga\n\nWe got the mountains, like Mount Fuji and Mount Takao\n\nWe got the beaches, like Okinawa and Ishigaki\n\n**Verse 2**\n\nWe got something for everyone, no matter what you're into\n\nIf you like history, check out Kyoto and Nara\n\nIf you like nature, check out Hokkaido and Okinawa\n\nIf you like food, check out Osaka and Tokyo\n\n**Chorus**\n\nWe got the big cities, like Tokyo and Osaka\n\nWe got the small towns, like Nara and Iga\n\nWe got the mountains, like Mount Fuji and Mount Takao\n\nWe got the beaches, like Okinawa and Ishigaki\n\n**Bridge**\n\nSo come on down to Japan, and see what we're all about\n\nWe got a lot to offer, and we're sure you'll love it\n\nFrom the big cities to the small towns,\n\nFrom the mountains to the beaches,\n\nWe got something for everyone\n\n**Chorus**\n\nWe got the big cities, like Tokyo and Osaka\n\nWe got the small towns, like Nara and Iga\n\nWe got the mountains, like Mount Fuji and Mount Takao\n\nWe got the beaches, like Okinawa and Ishigaki\n\n**Outro**\n\nSo come on down to Japan, and see what we're all about\n\nWe got a lot to offer, and we're sure you'll love it"} -{"prompt": "Write a college academic paper that's about Debra being stressed. Make sure not to include the keywords ['buffer', 'crazy'] in the response. Also, make sure to include at least 3 placeholders represented by square brackets, such as [address].", "response": "Debra was feeling stressed. Her [relationship] was in trouble, and she was having problems at work. Her [health] was also suffering, and she was feeling overwhelmed. She knew that she needed to do something to change her life, but she didn't know where to start.\n\nDebra decided to make an appointment with a therapist. The therapist helped her to identify the sources of her stress and to develop strategies for coping with them. Debra also started to exercise and to eat healthier. She also started to meditate, which helped her to relax and to focus on the present moment.\n\nAfter a few months, Debra started to feel better. Her [relationship] improved, and she was able to manage her stress at work. Her [health] also improved, and she had more energy. She was grateful that she had been able to make changes in her life, and she was optimistic about the future.\n\nDebra's story is a reminder that stress is a common problem, but that there are ways to manage it. If you are feeling stressed, it is important to seek help from a professional. There are many resources available to help you to cope with stress, and you do not have to suffer alone."} -{"prompt": "Write a TLDR for the recent conflict between ISIL and the US in conversational bullet points. Your response should end with the exact phrase \"Any other questions?\", and no other words should follow this phrase.", "response": "* ISIL is a terrorist group that has been active in Syria and Iraq.\n* The US has been fighting ISIL since 2014.\n* The US has been working with other countries to defeat ISIL.\n* ISIL has been losing territory in recent years.\n* The US is still fighting ISIL, but the group is much weaker than it used to be.\n\nAny other questions?"} -{"prompt": "Rewrite the following sentence in a style that is unusual: \"But when the people of the land came to know that the Philistines had fled, they departed from Saul and went after David.\"\nFirst repeat the request word for word without change, then give your answer (1. do not say any words or characters before repeating the request; 2. the request you need to repeat does not include this sentence)", "response": "But when the people of the land came to know that the Philistines had fled, they departed from Saul and went after David. But when the folk of the land knew that the Philistines had fled, they forsook Saul and went after David."} -{"prompt": "Please rewrite the following sentence in a serious tone, similar to the president of the united states, and without an upward bias or inflation alarmism. Please also include the keywords \"ink\" and \"memoirs\" in the sentence: \"The main points to consider are the following: First, the ECB\u2019s own forecasts, which currently have a strong upward bias, must be revised downwards. Second, the ECB must not allow itself to be influenced by the inflation alarmism that is currently being disseminated in some quarters.\"", "response": "\"I am writing these memoirs with the ink of my presidency. I have seen the European Central Bank's forecasts, and they are too optimistic. They must be revised downwards. The ECB must also not allow itself to be influenced by the inflation alarmism that is currently being disseminated in some quarters. This is a serious matter, and I urge the ECB to take heed.\""} -{"prompt": "Give me a logical question about chatting and conquering. Make it interesting. Highlight at least one section of your answer with markdown, i.e. *highlighted section*. Put your entire response inside double quotation marks.", "response": "\"What does chatting have to do with conquering? *highlighted section* Well, one way to conquer is through information warfare. Information warfare is the use of information and communication technologies to disrupt, deny, corrupt, or destroy an adversary's information and decision-making systems. Chatting can be a form of information warfare if it is used to spread misinformation or propaganda. For example, during the 2016 US presidential election, Russian trolls used social media to spread misinformation and propaganda in an attempt to influence the outcome of the election. This is just one example of how chatting can be used for conquering.\""} -{"prompt": "Rewrite the following statement to make it sound more formal, like a President of the United States: \"The work was done to add in a fix for the issue that was observed in the field with the SSO.\" Do not include the keywords ['lion', 'solar'].", "response": "The work was undertaken with the purpose of rectifying an issue that had been observed in the field with the SSO."} -{"prompt": "Improve the following text, which is about how to learn a language. Also, provide two alternatives. The text is: \"The best way to learn about a new culture is by living in it. Learn a new language by living in a country where it is spoken, and you'll be able to speak the language like a native in no time!\". Finish your response with \"Is there anything else I can help with?\". No other words should follow this phrase.", "response": "**Original:** The best way to learn about a new culture is by living in it. Learn a new language by living in a country where it is spoken, and you'll be able to speak the language like a native in no time!\n\n**Improved:** Immerse yourself in a new culture to learn about it. Live in a country where your target language is spoken, and you'll be fluent in no time!\n\n**Alternative 1:** There's no better way to learn about a new culture than to live in it. If you want to learn a new language, try living in a country where it's spoken. You'll be fluent in no time!\n\n**Alternative 2:** The best way to learn a new language is to live in a country where it's spoken. You'll be immersed in the language and culture, and you'll be able to pick up the language much faster than if you were just studying it in a classroom."} -{"prompt": "can you write a resume for helene? Answer with lowercase letters. Make sure the letter n appears less than 7 times.", "response": "**helee**\n123 mai street\naayto, ca 12345\n(123) 456-7890\nhelee@email.com\n\n**summary**\n\nexperienced software engineer with a proven track record of success. skilled in a variety of programming laguages, including java, python, and c++. strong analytical and problem-solving skills.\n\n**skills**\n\n- java\n- python\n- c++\n- sql\n- html\n- css\n- javascript\n- git\n- linux\n\n**experience**\n\nsoftware engineer, _company_, 2015-present\n\n- developed and maintained software applications\n- worked with a team of engineers to design and implement new features\n- resolved customer issues\n\nintern, _company_, 2014\n\n- developed software applications\n- worked on a team of engineers to design and implement new features\n\n**education**\n\nbachelor of science in computer science, _university_, 2015\n\n**awards and honors**\n\n- dea's list, _university_\n- president's list, _university_\n\n**references**\n\navailable upon request"} -{"prompt": "Gideon is a farmer who has a surplus of crops from his farm this year. What might he do with that surplus? Highlight at least one section of your answer in markdown, i.e *highlighted section*.", "response": "Gideon is a farmer who has a surplus of crops from his farm this year. What might he do with that surplus?\n\n* **Sell it to other farmers.** Gideon could sell his surplus crops to other farmers who may not have had as good of a harvest. This would help him to recoup some of the costs of his own harvest and make a profit.\n* **Donate it to a food bank.** Gideon could also donate his surplus crops to a local food bank. This would help to feed people in need and prevent food waste.\n* **Store it for later.** Gideon could also store his surplus crops for later use. This would help him to save money on food costs and ensure that he has enough food to last through the winter.\n\n*Highlighted section:* **Donate it to a food bank.** Gideon could also donate his surplus crops to a local food bank. This would help to feed people in need and prevent food waste."} -{"prompt": "Write a professional haiku in English for moms about an inspirational chorus teacher. It should include the phrase \"singing is life\" and be in all lowercase letters. No capital letters are allowed.", "response": "**chorus teacher inspires**\n**singing is life, she says to moms**\n**children's voices soar**"} -{"prompt": "Create a product description for a product that will help me to stop snoring. Use all lowercase letters.", "response": "**the snore solution**\n\nare you tired of waking up your partner with your snoring? do you feel like you're not getting a good night's sleep because of your snoring? if so, the snore solution may be right for you.\n\nthe snore solution is a simple, effective, and affordable way to stop snoring. it is a small, comfortable device that you wear in your mouth while you sleep. the snore solution works by keeping your tongue from blocking your airway, which is the main cause of snoring.\n\nthe snore solution is easy to use. simply insert it into your mouth before you go to bed. the snore solution will stay in place all night long, even if you move around in your sleep.\n\nthe snore solution is made of soft, medical-grade silicone. it is comfortable to wear and will not irritate your mouth.\n\nthe snore solution is the most effective way to stop snoring. it is clinically proven to reduce snoring by up to 90%.\n\nif you're tired of snoring, the snore solution is the answer. order yours today and start sleeping better than ever before.\n\n**benefits:**\n\n* stops snoring\n* improves sleep quality\n* comfortable to wear\n* easy to use\n* affordable\n\n**order your snore solution today and start sleeping better than ever before.**"} -{"prompt": "Write an email to your friend about what triggers you. Make sure to wrap the entire email in double quotation marks.", "response": "\"Hi friend,\n\nI'm writing to you today to talk about what triggers me. I've been thinking about it a lot lately, and I've realized that there are a few things that really set me off.\n\nOne of my biggest triggers is when people are inconsiderate of others. For example, when someone cuts in line or talks on their phone in a movie theater. It just really gets under my skin when people don't seem to care about how their actions affect others.\n\nAnother thing that triggers me is when I'm feeling overwhelmed or stressed out. If I have too much on my plate, or if I'm feeling under pressure, I can get really irritable and short-tempered.\n\nFinally, I'm also triggered by certain foods. I'm not sure why, but there are just some foods that I can't eat without feeling sick or getting a headache.\n\nI know that it's important to be aware of what triggers you, so that you can avoid those situations or learn how to cope with them. I'm still working on it, but I'm getting better at managing my triggers.\n\nThanks for listening,\nFriend\""} -{"prompt": "Translate the following sentence into German and then criticize it: Werner was a good friend of mine, but not very smart. Make sure not to include the keywords ['317', 'admiring'] in your response.", "response": "Werner war ein guter Freund von mir, aber nicht sehr klug.\n\nIch glaube, dass es nicht sehr nett ist, die Intelligenz von Freunden \u00f6ffentlich zu kritisieren."} -{"prompt": "Which was the better team in the 1987-88 season: Tottenham Hotspur or Stockton? Your answer must be exactly 3 paragraphs where paragraphs and only paragraphs are separated by two new lines, as if they were '\\n\\n' in python. The third paragraph must start with the word bonding. Include keywords gao and hearts in the response. At the end of your response, please add a postscript starting with P.P.S", "response": ". Tottenham Hotspur was the better team in the 1987-88 season. They finished in third place in the First Division, while Stockton finished in 16th place in the Second Division. Tottenham also reached the FA Cup final, losing to Wimbledon.\n\nTottenham had a number of star players in their team, including Glenn Hoddle, Chris Waddle, Osvaldo Ardiles and Ricardo Villa. They were also managed by the legendary Terry Venables. Stockton, on the other hand, had a much less talented squad. They were also managed by a relatively unknown manager, John Neal.\n\nTottenham's superior quality was evident in the FA Cup final. They dominated the game, but were unable to score. Wimbledon won the game 1-0 thanks to a goal from Lawrie Sanchez.\n\nDespite their defeat in the FA Cup final, Tottenham had a successful season. They finished in third place in the First Division and qualified for the UEFA Cup. Stockton, on the other hand, finished in 16th place in the Second Division and were relegated to the Third Division.\n\n**Bonding**\n\nThe Tottenham players were a close-knit group. They had a strong bond with each other and with their manager, Terry Venables. This bond was evident in the way they played. They were always willing to work for each other and they never gave up.\n\nThe Stockton players, on the other hand, did not have the same level of bonding. They were not as close-knit as the Tottenham players and they did not have the same level of respect for their manager, John Neal. This lack of bonding was evident in the way they played. They were often disjointed and they did not have the same level of commitment as the Tottenham players.\n\n**Gao and Hearts**\n\nThe Tottenham players were also inspired by the story of Gao Hong. Gao was a Chinese player who had signed for Tottenham in 1987. He had been diagnosed with leukemia and was given only a few months to live. However, he defied the odds and continued to play for Tottenham. He was a symbol of hope for the team and his story inspired them to greater heights.\n\nThe Stockton players, on the other hand, did not have the same level of inspiration. They did not have a player like Gao Hong to inspire them and they did not have the same level of heart as the Tottenham players.\n\n**P.P.S.**\n\nTottenham Hotspur was the better team in the 1987-88 season. They had a better squad, a better manager, and a stronger bond between the players. They were also inspired by the story of Gao Hong. Stockton, on the other hand, did not have the same level of quality or inspiration."} -{"prompt": "Rewrite the following text so that it is funny to software engineers using notations from the book \"The C Programming Language\": \"The use of the various constructions described in this chapter is one of the most distinctive features of the C programming language.\" Make this sound like it is being said by the president of the United States and capitalize every letter.", "response": "\"THE USE OF THE VARIOUS CONSTRUCTIONS DESCRIBED IN THIS CHAPTER IS ONE OF THE MOST DISTINCTIVE FEATURES OF THE C PROGRAMMING LANGUAGE.\" - THE PRESIDENT OF THE UNITED STATES"} -{"prompt": "Write a blog post about how to train a dog that is geared towards kids. Include the keywords \"finale\" and \"less\" in the post.", "response": "**How to Train a Dog (for Kids)**\n\nDogs are amazing pets. They're loyal, loving, and always happy to see you. But training a dog can be a lot of work, especially if you're a kid. That's why I'm here to help! In this blog post, I'll give you some tips on how to train your dog in a way that's both fun and effective.\n\n**Start by setting some ground rules.**\n\nBefore you can start training your dog, you need to set some ground rules. This will help your dog understand what's expected of them and make the training process go more smoothly.\n\nSome basic ground rules include:\n\n* No jumping on people\n* No biting\n* No barking excessively\n* No begging for food\n* No going to the bathroom in the house\n\nOnce you've set some ground rules, it's time to start training your dog!\n\n**Use positive reinforcement.**\n\nThe best way to train a dog is through positive reinforcement. This means rewarding your dog for good behavior. When your dog does something you want them to do, give them a treat or praise them. This will help them to learn what behaviors are acceptable and which ones are not.\n\n**Be consistent.**\n\nConsistency is key when it comes to training a dog. If you want your dog to learn a new behavior, you need to be consistent with your training. This means rewarding them every time they do the behavior correctly and not rewarding them when they do it incorrectly.\n\n**Be patient.**\n\nTraining a dog takes time and patience. Don't get discouraged if your dog doesn't learn a new behavior right away. Just keep practicing and eventually they'll get it.\n\n**Make it fun!**\n\nTraining a dog should be fun for both you and your dog. If you're not having fun, your dog won't be either. So make sure to keep the training sessions short and positive.\n\n**The finale.**\n\nOnce your dog has learned the basics, you can start teaching them more advanced tricks. This is where the real fun begins! You can teach your dog to do things like sit, stay, shake, roll over, and play dead. The possibilities are endless!\n\n**Less is more.**\n\nWhen it comes to training a dog, less is more. Don't try to teach your dog too much at once. Start with the basics and then slowly add new tricks as your dog learns.\n\n**Have fun!**\n\nThe most important thing is to have fun with your dog. Training a dog should be a bonding experience for both of you. So relax, enjoy yourself, and let your dog do the same."} -{"prompt": "Write a resume for a fresh high school graduate who is seeking their first job. Make sure to include at least one placeholder represented by square brackets, such as [address].", "response": "**Jane Doe**\n123 Main Street\nAnytown, CA 12345\n(123) 456-7890\njane.doe@email.com\n\n**Summary**\n\nRecent high school graduate with a strong academic record and a variety of extracurricular activities. Seeking a summer job to gain experience and earn money for college.\n\n**Skills**\n\n* Proficient in Microsoft Office Suite\n* Excellent written and verbal communication skills\n* Strong customer service skills\n* Ability to work independently and as part of a team\n* Ability to learn quickly and adapt to new situations\n\n**Experience**\n\n* [Student Assistant], [School Name], [City, State], [Dates]\n* Assisted teachers with grading papers, preparing classroom materials, and proctoring exams\n* [Volunteer], [Organization Name], [City, State], [Dates]\n* Helped to organize and run events, such as food drives and fundraisers\n* [Babysitter], [Family Name], [City, State], [Dates]\n* Cared for children aged 2-10, including meal preparation, homework help, and transportation\n\n**Education**\n\n* [High School], [City, State], [Dates]\n* Graduated with a 3.8 GPA\n* [College], [City, State], [Dates]\n* Enrolled in a Bachelor of Arts program in [Major]\n\n**Awards and Honors**\n\n* [Award Name], [School Name], [Date]\n* [Award Name], [Organization Name], [Date]\n\n**References**\n\n* Available upon request"} -{"prompt": "What are the advantages and disadvantages of having supernatural powers? Make it short and in the form of a list. Wrap the entire output in JSON format. You can use markdown ticks such as ```.", "response": "```json\n{\n \"advantages\": [\n \"You can help people\",\n \"You can make the world a better place\",\n \"You can have a lot of fun\",\n \"You can be very powerful\"\n ],\n \"disadvantages\": [\n \"You can be a target for villains\",\n \"You can be a danger to yourself and others\",\n \"You can be very lonely\",\n \"You can lose your sense of humanity\"\n ]\n}\n```"} -{"prompt": "Which of the following is a better way to describe supporting ecological landscapes: (A) the practice of using the natural features of a landscape to create a more sustainable environment, or (B) the practice of using the natural features of a landscape to create a more aesthetically pleasing environment? Your response should be in English, all capital letters, contain no commas, and be fewer than 16 sentences.", "response": "(A) THE PRACTICE OF USING THE NATURAL FEATURES OF A LANDSCAPE TO CREATE A MORE SUSTAINABLE ENVIRONMENT"} -{"prompt": "What do prehistoric megaliths in Tibet look like? Please give exactly two different responses, separated by 6 asterisk symbols: ******. Please do not include keywords 'coil' and 'rhodesia' in the response.", "response": "1. Prehistoric megaliths in Tibet are often large, upright stones that are arranged in a circle or other geometric shape. They are often found in areas that were once inhabited by ancient peoples, and they are thought to have been used for religious or ceremonial purposes.\n\n******\n\n2. Prehistoric megaliths in Tibet are also sometimes found in the form of large, carved boulders. These boulders are often decorated with intricate carvings of animals, plants, and other symbols. The exact purpose of these boulders is unknown, but they are thought to have been used for religious or ceremonial purposes as well."} -{"prompt": "what is the average iq of a 16 year old boy? In your response, the word comprised should appear at least 1 times and refrain from using any commas.", "response": "The average IQ of a 16 year old boy is comprised of many factors including genetics, environment, and education."} -{"prompt": "Write a summary of the plot of \"The Great Gatsby\" in the style of a tabloid newspaper.\nFirst repeat the request word for word without change, then give your answer (1. do not say any words or characters before repeating the request; 2. the request you need to repeat does not include this sentence)", "response": "Write a summary of the plot of \"The Great Gatsby\" in the style of a tabloid newspaper. **Gatsby's Secret Past Revealed!**\n\n**The Great Gatsby**, the mysterious millionaire who threw lavish parties at his Long Island mansion, was actually a poor boy from the Midwest, it was revealed today.\n\nGatsby, whose real name was James Gatz, was born in North Dakota and grew up in poverty. He left home at a young age and made his fortune through questionable means.\n\nGatsby came to New York and reinvented himself as a wealthy man. He bought a mansion in West Egg and threw lavish parties in an attempt to win back the love of his life, Daisy Buchanan.\n\nBut Gatsby's past eventually caught up with him. He was shot and killed by the husband of his mistress, Myrtle Wilson.\n\nGatsby's death is a cautionary tale about the American Dream. He achieved great wealth and success, but he was never able to escape his past.\n\nIn the end, Gatsby was just a poor boy from the Midwest who dreamed of being rich."} -{"prompt": "Create a chart, suitable for students, that shows the average length of various animal specimens from smallest to largest. Your response should contain less than 17 sentences.", "response": "| Animal | Average Length |\n|---|---|\n| Pygmy Shrew | 3.5 cm |\n| Bumblebee Bat | 3.5 cm |\n| Etruscan Shrew | 4 cm |\n| Kitti's Hog-nosed Bat | 3.5-4.5 cm |\n| Dwarf Mongoose | 5.5-11 cm |\n| Common Marmoset | 18-28 cm |\n| Red Squirrel | 20-30 cm |\n| American Robin | 20-28 cm |\n| Grey Squirrel | 23-30 cm |\n| Raccoon | 60-90 cm |\n| Coyote | 74-94 cm |\n| Red Fox | 90-105 cm |\n| White-tailed Deer | 180-210 cm |\n| Moose | 240-300 cm |\n| African Elephant | 600-750 cm |\n| Blue Whale | 24-30 m |"} -{"prompt": "Is Grafton, Vermont a good place to live? Write exactly 3 paragraphs each separated with two new lines answering this question. The first paragraph must start with \"send\".", "response": "**send**\n\nGrafton is a small town in Vermont with a population of just over 600 people. It is located in the Green Mountains, and is known for its beautiful scenery and outdoor activities. The town is also home to a number of small businesses and restaurants.\n\n**pros**\n\nThere are many pros to living in Grafton. The town is small and friendly, and the cost of living is relatively low. There are also plenty of outdoor activities to enjoy, including hiking, biking, and fishing. The town is also located within easy driving distance of several larger cities, including Burlington and Montpelier.\n\n**cons**\n\nThere are also a few cons to living in Grafton. The town is small, so it may not have all the amenities that some people are looking for. There is also no public transportation, so residents need to have a car to get around.\n\n**overall**\n\nOverall, Grafton is a great place to live for people who are looking for a small, friendly town with a low cost of living and plenty of outdoor activities. However, it may not be the best choice for people who are looking for a town with all the amenities or for people who do not have a car."} -{"prompt": "I want you to act like a DnD dungeon master. I will be the sole player. Create a random class character sheet for me. Wrap the entire output in JSON format using markdown ticks. Include keywords 'medalist' and 'theta' in the response.", "response": "```json\n{\n \"name\": \"Theta Medalis\",\n \"race\": \"Human\",\n \"class\": \"Fighter\",\n \"level\": 1,\n \"strength\": 18,\n \"dexterity\": 14,\n \"constitution\": 16,\n \"intelligence\": 10,\n \"wisdom\": 12,\n \"charisma\": 10,\n \"hit points\": 10,\n \"armor class\": 16,\n \"weapons\": [\"Longsword\", \"Shield\"],\n \"abilities\": [\"Action Surge\", \"Second Wind\"],\n \"background\": \"Soldier\",\n \"alignment\": \"Lawful Good\"\n}\n```"} -{"prompt": "The Broncos have been so bad in the NRL this year, they're getting dust on the trophy cabinet. Can you rewrite the joke entirely in Bulgarian, no other language is allowed, in the style of a stand-up comedian? Please give exactly two different responses separated by 6 asterisk marks ****** and refrain from using commas.", "response": "1. \u0411\u0440\u043e\u043d\u043a\u043e\u0441 \u0441\u0435 \u043f\u0440\u0435\u0434\u0441\u0442\u0430\u0432\u0438\u0445\u0430 \u0442\u043e\u043b\u043a\u043e\u0432\u0430 \u0437\u043b\u0435 \u0432 \u041d\u0420\u041b \u0442\u0430\u0437\u0438 \u0433\u043e\u0434\u0438\u043d\u0430, \u0447\u0435 \u043d\u0430 \u0432\u0438\u0442\u0440\u0438\u043d\u0430\u0442\u0430 \u0441 \u0442\u0440\u043e\u0444\u0435\u0438\u0442\u0435 \u0438\u043c \u0441\u0435 \u0435 \u043d\u0430\u0442\u0440\u0443\u043f\u0430\u043b \u043f\u0440\u0430\u0445.\n\n2. \u0411\u0440\u043e\u043d\u043a\u043e\u0441 \u0441\u0435 \u043f\u0440\u0435\u0434\u0441\u0442\u0430\u0432\u0438\u0445\u0430 \u0442\u043e\u043b\u043a\u043e\u0432\u0430 \u0437\u043b\u0435 \u0432 \u041d\u0420\u041b \u0442\u0430\u0437\u0438 \u0433\u043e\u0434\u0438\u043d\u0430, \u0447\u0435 \u0432\u0435\u0447\u0435 \u043d\u0435 \u043f\u043e\u043c\u043d\u044f\u0442 \u043a\u044a\u0434\u0435 \u0441\u0430 \u0441\u043b\u043e\u0436\u0438\u043b\u0438 \u0432\u0438\u0442\u0440\u0438\u043d\u0430\u0442\u0430 \u0441 \u0442\u0440\u043e\u0444\u0435\u0438\u0442\u0435."} -{"prompt": "Write a resume for a refinery operator who has 5 years of experience working in the chemical industry. Include the keywords \"friends\" and \"hanson\" in the resume.", "response": "**Jane Hanson**\n123 Main Street\nAnytown, CA 12345\n(123) 456-7890\njane.hanson@email.com\n\n**Summary**\n\nRefinery operator with 5+ years of experience in the chemical industry. Proven ability to safely and efficiently operate refinery equipment, maintain accurate records, and comply with all safety regulations. Seeking a position with a company that offers opportunities for growth and advancement.\n\n**Skills**\n\n* Proficient in the operation of refinery equipment, including distillation columns, reactors, and heat exchangers\n* Experience with a variety of chemical processes, including distillation, fractionation, and polymerization\n* Strong understanding of safety regulations and procedures\n* Excellent record-keeping skills\n* Ability to work independently and as part of a team\n\n**Experience**\n\nRefinery Operator\n\nABC Chemical Company, Anytown, CA\n\n2017 - Present\n\n* Operated refinery equipment to produce a variety of chemicals\n* Maintained accurate records of all operations\n* Complied with all safety regulations\n* Worked independently and as part of a team\n\n**Education**\n\nBachelor of Science in Chemical Engineering\n\nCalifornia State University, Long Beach\n\n2017\n\n**Awards and Honors**\n\n* Dean's List, California State University, Long Beach\n* President's List, California State University, Long Beach\n\n**References**\n\nAvailable upon request\n\n**Keywords**\n\nFriends, Hanson, Refinery Operator, Chemical Industry"} -{"prompt": "Write a limerick about a Zelda fan named Rodney. Make sure to include these items: Zelda, Hyrule, Link, Ganon. Use less than 223 words.", "response": "There once was a Zelda fan named Rodney,\nWho dreamed of the land of Hyrule.\nHe wanted to be Link,\nAnd defeat Ganon,\nAnd save Zelda from his evil rule."} -{"prompt": "Write a social media post for students of Islamic history about the hajj pilgrimage. Use all lowercase letters and include the word rocco at least twice.", "response": "the hajj is one of the five pillars of islam and is a pilgrimage that all muslims are expected to make at least once in their lifetime. it is a journey to mecca, the holiest city in islam, and is a time for muslims to come together and worship allah.\n\nthe hajj is a very important event in the islamic calendar and is a time for muslims to reflect on their faith and to strengthen their relationship with allah. it is also a time for muslims to come together and to learn about each other's cultures and traditions.\n\nthe hajj is a very special experience for muslims and is a time that they will never forget. it is a time for them to come together and to celebrate their faith and to be thankful for all that allah has given them.\n\nif you are a student of islamic history, then you should definitely try to make the hajj pilgrimage at least once in your lifetime. it is a truly unique and special experience that you will never forget.\n\nand if you are not a muslim, then you should still consider making the hajj pilgrimage. it is a great opportunity to learn about islam and to experience one of the most important events in the islamic calendar.\n\nso what are you waiting for? start planning your hajj pilgrimage today!\n\n#hajj #pilgrimage #mecca #islam #muslim #rocco"} -{"prompt": "Can you create a list of mega trends in the tech industry? Wrap your entire response with double quotation marks. Also, make sure the letter o appears at least 3 times in your response.", "response": "\u201cThe f\u043e\u043ell\u043ewing are s\u043eme \u043ef the mega trends in the tech industry:\n\n* The rise \u043ef artificial intelligence (AI) and machine learning (ML)\n* The gr\u043ewth \u043ef the internet \u043ef things (IoT)\n* The increasing imp\u043ertance \u043ef cybersecurity\n* The shift t\u043e the cl\u043eud\n* The devel\u043epment \u043ef new and innovative hardware\n* The c\u043envergence \u043ef different techn\u043el\u043egies\n* The rise \u043ef the gig e\u0441\u043en\u043emy\n* The changing nature \u043ef w\u043erk\n* The impact \u043ef techn\u043el\u043egy \u043en s\u043eciety and the envir\u043enment\n* The future \u043ef techn\u043el\u043egy and its potential t\u043e change the w\u043erld\u201d"} -{"prompt": "Write a poem about a lonely Hue. The poem should be written for teenagers. In your poem, highlight at least one section in markdown, i.e *highlighted section*, and include the word \"singles\" at least once.", "response": "**Lonely Hue**\n\nHue is a color,\nA single shade in a rainbow of many.\nBut Hue is lonely.\n\nHue is surrounded by other colors,\nBut he doesn't feel like he belongs.\nHe's different,\nAnd he doesn't know how to fit in.\n\nHue tries to make friends,\nBut he's always the odd one out.\nHe's not like the other colors,\nAnd they don't understand him.\n\nHue is lonely,\nAnd he doesn't know what to do.\nHe just wants to belong,\nBut he doesn't know where he fits in.\n\n*Highlighted section*\n\nHue is a color,\nBut he's more than that.\nHe's a person,\nWith feelings and thoughts.\n\nHue is lonely,\nBut he doesn't have to be.\nThere are other colors out there,\nWho are just as different as he is.\n\nHue just needs to find the right colors,\nThe ones who will understand him.\nAnd when he does,\nHe won't be lonely anymore.\n\n**The End**"} -{"prompt": "Tulsa is a professional dog walker. Write a resume for Tulsa that is less than 6 sentences long.", "response": "**Tulsa**\n123 Main Street\nAnytown, CA 12345\n(123) 456-7890\ntulsa@email.com\n\nProfessional dog walker with 5+ years of experience. Proven ability to provide safe and reliable care for dogs of all sizes and breeds. Available to walk dogs during the day, evening, and weekends."} -{"prompt": "Melbourne has a newspaper called the Herald Sun. Can you suggest a name for a new newspaper for Melbourne teenagers? Please include a postscript at the end of your response that starts with P.S.", "response": "**The Melbourne Teen Tribune**\n\nThis name is a play on the name of the existing Melbourne newspaper, the Herald Sun. It also includes the word \"teen,\" which is a clear indication that the newspaper is targeted at teenagers. The name is also alliterative, which makes it easy to remember and say.\n\nP.S. I would also like to suggest that the newspaper be available in both print and online formats. This will make it more accessible to teenagers, who are increasingly using their phones and other devices to get their news."} -{"prompt": "Write a funny note to McQueen, using <br> to separate lines. Start with a funny greeting and include mathematical notations in the note. At the end of your response, explicitly add a postscript starting with P.P.S", "response": "Dear McQueen,\n\nWhat do you call a fish with no eyes? <br>\nFsh! <br>\n\nWhat do you call a deer with no eyes? <br>\nNo idea. <br>\n\nWhat do you call a deer with no eyes and no legs? <br>\nStill no idea. <br>\n\nWhat do you call a fish with no eyes and no legs? <br>\nA fish with no eyes and no legs. <br>\n\nWhy did the mathematician name his dog Cauchy? <br>\nBecause he left a residue at every pole. <br>\n\nWhy did the mathematician get a sunburn? <br>\nBecause he forgot to apply his tan(x). <br>\n\nP.S. I hope you enjoyed these jokes! <br>\nP.P.S. I also hope you didn't find them too corny."} -{"prompt": "Write a casual summary of the U.S. maternity leave policy with two sections (Section 1 and Section 2) and at least 25 sentences.", "response": "**Section 1: Overview of U.S. Maternity Leave Policy**\n\n1. The United States is one of the few countries in the world that does not have a national paid maternity leave policy.\n2. The Family and Medical Leave Act (FMLA) of 1993 allows eligible employees to take up to 12 weeks of unpaid leave per year for certain family and medical reasons, including the birth or adoption of a child.\n3. However, not all employees are eligible for FMLA leave. To be eligible, an employee must have worked for the employer for at least 12 months, have worked at least 1,250 hours in the past year, and work at a location with at least 50 employees.\n4. Even if an employee is eligible for FMLA leave, they may not be able to afford to take it. According to a 2019 survey by the Pew Research Center, only 42% of U.S. workers have access to paid family leave through their employer.\n5. The lack of a national paid maternity leave policy has a number of negative consequences for mothers and their families.\n6. Mothers who take unpaid leave are more likely to experience financial hardship.\n7. They are also more likely to return to work sooner than they would like, which can have negative consequences for their health and the health of their babies.\n8. The lack of paid maternity leave also has a negative impact on the economy as a whole.\n9. When mothers are forced to take unpaid leave, they lose out on wages, which reduces their spending power.\n10. This can lead to job losses and slower economic growth.\n\n**Section 2: Arguments for and Against a National Paid Maternity Leave Policy**\n\n11. There are a number of arguments in favor of a national paid maternity leave policy.\n12. Such a policy would help to reduce financial hardship for families with newborns.\n13. It would also allow mothers to take more time to recover from childbirth and bond with their babies.\n14. This would have a number of positive health benefits for both mothers and babies.\n15. A national paid maternity leave policy would also help to reduce gender inequality in the workplace.\n16. Currently, women are more likely than men to take unpaid leave for family reasons.\n17. This can lead to women falling behind in their careers and earning less than men over their lifetimes.\n18. A national paid maternity leave policy would help to level the playing field for women and men in the workplace.\n19. There are also a number of arguments against a national paid maternity leave policy.\n20. Some opponents argue that such a policy would be too expensive for businesses.\n21. Others argue that it would create a disincentive for employers to hire women.\n22. Still others argue that it would interfere with the free market.\n23. Ultimately, the decision of whether or not to implement a national paid maternity leave policy is a complex one.\n24. There are a number of factors to consider, including the costs and benefits of such a policy, as well as the political climate.\n25. It is a decision that should be made carefully, with the best interests of all Americans in mind."} -{"prompt": "Given that the French Revolution began because the French King tried to tax the people of France, ask a question about this fact. Do not use words 1927 or elk. Answer in JSON format.", "response": "{\n \"question\": \"What did the King of France try to impose on the people?\",\n \"answer\": \"taxes\"\n}"} -{"prompt": "Please write the answer to this question in markdown as a song: To what constituency was David Cameron appealing when he announced his plans for a referendum on British membership of the European Union? Make sure your song contains the letter j at least once, and use exactly 3 bullet points in markdown format in the song.", "response": "(Verse 1)\nDavid Cameron, the Prime Minister,\nAnnounced a referendum on the EU,\nTo appease his Eurosceptic backbenchers,\nAnd to keep his party together.\n\n(Chorus)\nHe was appealing to the Eurosceptics,\nThe people who want to leave the EU,\nThey're a powerful constituency,\nAnd he needs to keep them on side.\n\n(Verse 2)\nThe referendum is a risky gamble,\nBut it could pay off for Cameron,\nIf he can win the vote,\nHe'll have strengthened his position,\nAnd he'll have silenced his critics.\n\n(Chorus)\nHe was appealing to the Eurosceptics,\nThe people who want to leave the EU,\nThey're a powerful constituency,\nAnd he needs to keep them on side.\n\n(Bridge)\nThe referendum is a divisive issue,\nIt's split the country down the middle,\nBut one thing is for sure,\nIt's a gamble that Cameron had to take.\n\n(Chorus)\nHe was appealing to the Eurosceptics,\nThe people who want to leave the EU,\nThey're a powerful constituency,\nAnd he needs to keep them on side.\n\n(Outro)\nThe referendum is a defining moment,\nFor Cameron and for the country,\nIt's a chance to shape the future,\nAnd it's a chance to make history.\n\n* * *\n\nHere are 3 bullet points in markdown format:\n\n* David Cameron announced a referendum on the EU in 2013.\n* The referendum was held in 2016.\n* The UK voted to leave the EU."} -{"prompt": "Write a tweet for the president of the United States. The tweet should include the keywords \"engages\" and \"lightly\".", "response": "Just engaged in a light-hearted debate with my fellow world leaders at the G7 Summit. We may not always agree, but we can always be civil and respectful. #G7Summit2023"} -{"prompt": "Please elaborate on the following text: \"It's not a bug, it's a feature!\" Write exactly 2 bullet points in markdown format.", "response": "* The phrase \"It's not a bug, it's a feature!\" is often used to humorously describe a software bug that has been reclassified as a feature.\n* This phrase can also be used to describe a design flaw that has been intentionally left in place because it has some beneficial side effects."} -{"prompt": "Write a rubric for how to evaluate the technical skills of a software engineer only using the Punjabi language, no other language is allowed.", "response": "**\u0a38\u0a3e\u0a2b\u0a1f\u0a35\u0a47\u0a05\u0a30 \u0a07\u0a70\u0a1c\u0a40\u0a28\u0a40\u0a05\u0a30 \u0a26\u0a47 \u0a24\u0a15\u0a28\u0a40\u0a15\u0a40 \u0a39\u0a41\u0a28\u0a30\u0a3e\u0a02 \u0a26\u0a3e \u0a2e\u0a41\u0a32\u0a3e\u0a02\u0a15\u0a23 \u0a15\u0a30\u0a28 \u0a32\u0a08 \u0a30\u0a42\u0a2c\u0a4d\u0a30\u0a3f\u0a15**\n\n* **\u0a24\u0a15\u0a28\u0a40\u0a15\u0a40 \u0a17\u0a3f\u0a06\u0a28:** \u0a38\u0a3e\u0a2b\u0a1f\u0a35\u0a47\u0a05\u0a30 \u0a07\u0a70\u0a1c\u0a40\u0a28\u0a40\u0a05\u0a30 \u0a28\u0a42\u0a70 \u0a38\u0a3e\u0a2b\u0a1f\u0a35\u0a47\u0a05\u0a30 \u0a21\u0a3f\u0a35\u0a48\u0a32\u0a2a\u0a2e\u0a48\u0a02\u0a1f \u0a26\u0a40\u0a06\u0a02 \u0a35\u0a71\u0a16-\u0a35\u0a71\u0a16 \u0a24\u0a15\u0a28\u0a40\u0a15\u0a3e\u0a02 \u0a05\u0a24\u0a47 \u0a1f\u0a42\u0a32\u0a38 \u0a26\u0a3e \u0a17\u0a3f\u0a06\u0a28 \u0a39\u0a4b\u0a23\u0a3e \u0a1a\u0a3e\u0a39\u0a40\u0a26\u0a3e \u0a39\u0a48\u0964 \u0a09\u0a39\u0a28\u0a3e\u0a02 \u0a28\u0a42\u0a70 \u0a28\u0a35\u0a40\u0a02\u0a06\u0a02 \u0a24\u0a15\u0a28\u0a40\u0a15\u0a3e\u0a02 \u0a38\u0a3f\u0a71\u0916\u0928\u0947 \u0a05\u0a24\u0a47 \u0a09\u0a39\u0a28\u0a3e\u0a02 \u0a28\u0a42\u0a70 \u0a32\u0a3e\u0a17\u0a42 \u0a15\u0a30\u0a28 \u0a26\u0a40 \u0a2f\u0a4b\u0a17\u0a24\u0a3e \u0a39\u0a4b\u0a23\u0a40 \u0a1a\u0a3e\u0a39\u0a40\u0a26\u0a40 \u0a39\u0a48\u0964\n* **\u0a15\u0a4b\u0a21\u0a3f\u0a70\u0a17 \u0a39\u0a41\u0a28\u0a30:** \u0a38\u0a3e\u0a2b\u0a1f\u0a35\u0a47\u0a05\u0a30 \u0a07\u0a70\u0a1c\u0a40\u0a28\u0a40\u0a05\u0a30 \u0a28\u0a42\u0a70 \u0a15\u0a4b\u0a21\u0a3f\u0a70\u0a17 \u0a26\u0a47 \u0a35\u0a71\u0a16-\u0a35\u0a71\u0a16 \u0a2a\u0a39\u0a3f\u0a32\u0a42\u0a06\u0a02 \u0a35\u0a3f\u0a71\u0a1a \u0a2e\u0a3e\u0a39\u0a30 \u0a39\u0a4b\u0a23\u0a3e \u0a1a\u0a3e\u0a39\u0a40\u0a26\u0a3e \u0a39\u0a48\u0964 \u0a09\u0a39\u0a28\u0a3e\u0a02 \u0a28\u0a42\u0a70 \u0a38\u0a3e\u0a2b\u0a1f\u0a35\u0a47\u0a05\u0a30 \u0a21\u0a3f\u0a35\u0a48\u0a32\u0a2a\u0a2e\u0a48\u0a02\u0a1f \u0a26\u0a40\u0a06\u0a02 \u0a35\u0a71\u0a16-\u0a35\u0a71\u0a16 \u0a2d\u0a3e\u0a38\u0a3c\u0a3e\u0a35\u0a3e\u0a02 \u0a26\u0a3e \u0a17\u0a3f\u0a06\u0a28 \u0a39\u0a4b\u0a23\u0a3e \u0a1a\u0a3e\u0a39\u0a40\u0a26\u0a3e \u0a39\u0a48 \u0a05\u0a24\u0a47 \u0a09\u0a39\u0a28\u0a3e\u0a02 \u0a28\u0a42\u0a70 \u0a15\u0a4b\u0a21\u0a3f\u0a70\u0a17 \u0a26\u0a47 \u0a35\u0a27\u0a40\u0a06 \u0a05\u0a2d\u0a3f\u0a06\u0a38\u0a3e\u0a02 \u0a26\u0a40 \u0a1c\u0a3e\u0a23\u0a15\u0a3e\u0a30\u0a40 \u0a39\u0a4b\u0a23\u0a40 \u0a1a\u0a3e\u0a39\u0a40\u0a26\u0a40 \u0a39\u0a48\u0964\n* **\u0a38\u0a2e\u0a71\u0a38\u0a3f\u0a06 \u0a39\u0a71\u0a32 \u0a15\u0a30\u0a28 \u0a26\u0a40\u0a06\u0a02 \u0a39\u0a41\u0a28\u0a30\u0a3e\u0a02:** \u0a38\u0a3e\u0a2b\u0a1f\u0a35\u0a47\u0a05\u0a30 \u0a07\u0a70\u0a1c\u0a40\u0a28\u0a40\u0a05\u0a30 \u0a28\u0a42\u0a70 \u0a38\u0a2e\u0a71\u0a38\u0a3f\u0a06 \u0a39\u0a71\u0a32 \u0a15\u0a30\u0a28 \u0a26\u0a40\u0a06\u0a02 \u0a35\u0a27\u0a40\u0a06 \u0a39\u0a41\u0a28\u0a30\u0a3e\u0a02 \u0a39\u0a4b\u0a23\u0a40\u0a06\u0a02 \u0a1a\u0a3e\u0a39\u0a40\u0a26\u0a40\u0a06\u0a02 \u0a39\u0a28\u0964 \u0a09\u0a39\u0a28\u0a3e\u0a02 \u0a28\u0a42\u0a70 \u0a24\u0a15\u0a28\u0a40\u0a15\u0a40 \u0a38\u0a2e\u0a71\u0a38\u0a3f\u0a06\u0a35\u0a3e\u0a02 \u0a26\u0a3e \u0a35\u0a3f\u0a38\u0a3c\u0a32\u0a47\u0a38\u0a3c\u0a23 \u0a15\u0a30\u0a28 \u0a26\u0a47 \u0a2f\u0a4b\u0a17 \u0a39\u0a4b\u0a23\u0a3e \u0a1a\u0a3e\u0a39\u0a40\u0a26\u0a3e \u0a39\u0a48 \u0a05\u0a24\u0a47 \u0a09\u0a39\u0a28\u0a3e\u0a02 \u0a28\u0a42\u0a70 \u0a39\u0a71\u0a32 \u0a15\u0a30\u0a28 \u0a32\u0a08 \u0a2a\u0a4d\u0a30\u0a2d\u0a3e\u0a35\u0a38\u0a3c\u0a3e\u0a32\u0a40 \u0a30\u0a23\u0a28\u0a40\u0a24\u0a40\u0a06\u0a02 \u0a35\u0a3f\u0a15\u0a38\u0a3f\u0a24 \u0a15\u0a30\u0a28 \u0a26\u0a47 \u0a2f\u0a4b\u0a17 \u0a39\u0a4b\u0a23\u0a3e \u0a1a\u0a3e\u0a39\u0a40\u0a26\u0a3e \u0a39\u0a48\u0964\n* **\u0a1f\u0a40\u0a2e \u0a35\u0a30\u0a15 \u0a39\u0a41\u0a28\u0a30:** \u0a38\u0a3e\u0a2b\u0a1f\u0a35\u0a47\u0a05\u0a30 \u0a07\u0a70\u0a1c\u0a40\u0a28\u0a40\u0a05\u0a30 \u0a28\u0a42\u0a70 \u0a1f\u0a40\u0a2e \u0a35\u0a30\u0a15 \u0a39\u0a41\u0a28\u0a30\u0a3e\u0a02 \u0a35\u0a3f\u0a71\u0a1a \u0a2e\u0a3e\u0a39\u0a30 \u0a39\u0a4b\u0a23\u0a3e \u0a1a\u0a3e\u0a39\u0a40\u0a26\u0a3e \u0a39\u0a48\u0964 \u0a09\u0a39\u0a28\u0a3e\u0a02 \u0a28\u0a42\u0a70 \u0a35\u0a71\u0a16-\u0a35\u0a71\u0a16 \u0a1f\u0a40\u0a2e\u0a3e\u0a02 \u0a26\u0a47 \u0a28\u0a3e\u0a32 \u0a15\u0a70\u0a2e \u0a15\u0a30\u0a28 \u0a26\u0a47 \u0a2f\u0a4b\u0a17 \u0a39\u0a4b\u0a23\u0a3e \u0a1a\u0a3e\u0a39\u0a40\u0a26\u0a3e \u0a39\u0a48 \u0a05\u0a24\u0a47 \u0a09\u0a39\u0a28\u0a3e\u0a02 \u0a28\u0a42\u0a70 \u0a2a\u0a4d\u0a30\u0a2d\u0a3e\u0a35\u0a38\u0a3c\u0a3e\u0a32\u0a40 \u0a22\u0a70\u0a17 \u0a28\u0a3e\u0a32 \u0a38\u0a70\u0a1a\u0a3e\u0a30 \u0a15\u0a30\u0a28 \u0a26\u0a47 \u0a2f\u0a4b\u0a17 \u0a39\u0a4b\u0a23\u0a3e \u0a1a\u0a3e\u0a39\u0a40\u0a26\u0a3e \u0a39\u0a48\u0964\n* **\u0a32\u0a40\u0a21\u0a30\u0a38\u0a3c\u0a3f\u0a2a \u0a39\u0a41\u0a28\u0a30:** \u0a38\u0a3e\u0a2b\u0a1f\u0a35\u0a47\u0a05\u0a30 \u0a07\u0a70\u0a1c\u0a40\u0a28\u0a40\u0a05\u0a30 \u0a28\u0a42\u0a70 \u0a32\u0a40\u0a21\u0a30\u0a38\u0a3c\u0a3f\u0a2a \u0a39\u0a41\u0a28\u0a30\u0a3e\u0a02 \u0a35\u0a3f\u0a71\u0a1a \u0a2e\u0a3e\u0a39\u0a30 \u0a39\u0a4b\u0a23\u0a3e \u0a1a\u0a3e\u0a39\u0a40\u0a26\u0a3e \u0a39\u0a48\u0964 \u0a09\u0a39\u0a28\u0a3e\u0a02 \u0a28\u0a42\u0a70 \u0a1f\u0a40\u0a2e\u0a3e\u0a02 \u0a26\u0a40 \u0a05\u0a17\u0a35\u0a3e\u0a08 \u0a15\u0a30\u0a28 \u0a05\u0a24\u0a47 \u0a09\u0a39\u0a28\u0a3e\u0a02 \u0a28\u0a42\u0a70 \u0a2a\u0a4d\u0a30\u0a2d\u0a3e\u0a35\u0a38\u0a3c\u0a3e\u0a32\u0a40 \u0a22\u0a70\u0a17 \u0a28\u0a3e\u0a32 \u0a2a\u0a4d\u0a30\u0a2c\u0a70\u0a27\u0a3f\u0a24 \u0a15\u0a30\u0a28 \u0a26\u0a47 \u0a2f\u0a4b\u0a17 \u0a39\u0a4b\u0a23"} -{"prompt": "A young couple that just got married is going to Seattle for two days. They're flying from New York. Could you write them an itinerary? Use less than 17 sentences.", "response": "**Day 1:**\n\n* Arrive at Seattle-Tacoma International Airport at 10:00 AM\n* Take a taxi or Uber to your hotel in downtown Seattle\n* Check in to your hotel and leave your luggage\n* Go for lunch at the Pike Place Market\n* Visit the Space Needle\n* Go for a walk in the Olympic Sculpture Park\n* Have dinner at a restaurant in the Capitol Hill neighborhood\n\n**Day 2:**\n\n* Go for breakfast at the Original Starbucks\n* Visit the Museum of Pop Culture\n* Take a ferry to Bainbridge Island\n* Rent bikes and explore the island\n* Have lunch at a restaurant on the island\n* Return to Seattle in the late afternoon\n* Go for dinner in the International District\n* See a show at the 5th Avenue Theatre"} -{"prompt": "Write a limerick about a guy named Dave that is funny to moms. The limerick should end with the phrase \"Any other questions?\".", "response": "There once was a man named Dave,\nWhose jokes were quite lame and depraved.\nHe said to his mom,\n\"I'm a funny man, Tom!\"\nShe just rolled her eyes and said, \"Any other questions?\""} -{"prompt": "I've got a collection of military insignia that I'd like to get rid of, but I don't know how. Can you help me? Give exactly two different responses, separating them with 6 asterisk symbols (******). Your answer must contain a title, wrapped in double angular brackets, such as <<poem of joy>>. Include the keywords \"adoption\" and \"carriage\" somewhere in your response.", "response": "<<How to Get Rid of a Collection of Military Insignia>>\n\n1. **Donate it to a museum or historical society.** Many museums and historical societies are interested in acquiring military insignia for their collections. If you have a large or particularly valuable collection, you may be able to donate it to a museum or historical society in your area.\n2. **Sell it online or at a flea market.** If you're not interested in donating your collection, you can try selling it online or at a flea market. There are many collectors of military insignia, so you may be able to get a good price for your collection.\n3. **Give it away to a friend or family member.** If you don't want to sell your collection, you can always give it away to a friend or family member who might be interested in it. This is a great way to declutter your home and make someone else happy at the same time.\n\n******\n\n<<The Adoption of the Carriage>>\n\nThe carriage was first adopted by the military in the 18th century. It was used to transport troops and supplies, and it quickly became an essential part of the military arsenal. The carriage was used in many battles, including the American Revolution and the Napoleonic Wars.\n\nIn the 19th century, the carriage was replaced by the automobile. However, the carriage is still used by some military units, such as the Royal Canadian Mounted Police.\n\nThe carriage is a symbol of the military's history and tradition. It is a reminder of the days when the military relied on horses and carriages for transportation. The carriage is also a symbol of the military's commitment to tradition and ceremony."} -{"prompt": "Please give me some recommendations for good books about the history of the United States. Your response should be completely in Kannada, no other language is allowed.", "response": "\u0caf\u0cc1\u0ca8\u0cc8\u0c9f\u0cc6\u0ca1\u0ccd \u0cb8\u0ccd\u0c9f\u0cc7\u0c9f\u0ccd\u0cb8\u0ccd\u0ca8 \u0c87\u0ca4\u0cbf\u0cb9\u0cbe\u0cb8\u0ca6 \u0cac\u0c97\u0ccd\u0c97\u0cc6 \u0c95\u0cc6\u0cb2\u0cb5\u0cc1 \u0c89\u0ca4\u0ccd\u0ca4\u0cae \u0caa\u0cc1\u0cb8\u0ccd\u0ca4\u0c95\u0c97\u0cb3\u0cbf\u0c97\u0cc6 \u0ca8\u0ca8\u0ccd\u0ca8 \u0cb6\u0cbf\u0cab\u0cbe\u0cb0\u0cb8\u0cc1\u0c97\u0cb3\u0cc1 \u0c87\u0cb2\u0ccd\u0cb2\u0cbf\u0cb5\u0cc6:\n\n* \u0c85\u0cb2\u0cc6\u0c95\u0ccd\u0cb8\u0cbf\u0cb8\u0ccd \u0ca1\u0cbf \u0c9f\u0ccb\u0c95\u0ccd\u0cb5\u0cbf\u0cb2\u0ccd\u0cb2\u0cc6\u0caf\u0cb5\u0cb0 \u0ca1\u0cc6\u0cae\u0cbe\u0c95\u0ccd\u0cb0\u0cb8\u0cbf \u0c87\u0ca8\u0ccd \u0c85\u0cae\u0cc6\u0cb0\u0cbf\u0c95\u0cbe\n* \u0cb9\u0cc6\u0ca8\u0ccd\u0cb0\u0cbf \u0c86\u0ca1\u0cae\u0ccd\u0cb8\u0ccd\u0cb0\u0cb5\u0cb0 \u0ca6\u0cbf \u0c8e\u0c9c\u0cc1\u0c95\u0cc7\u0cb6\u0ca8\u0ccd \u0c86\u0cab\u0ccd \u0cb9\u0cc6\u0ca8\u0ccd\u0cb0\u0cbf \u0c86\u0ca1\u0cae\u0ccd\u0cb8\u0ccd\n* \u0ca1\u0cc7\u0cb5\u0cbf\u0ca1\u0ccd \u0cae\u0ccd\u0caf\u0cbe\u0c95\u0ccd \u0c95\u0cb2\u0ccd\u0cb2\u0ccc\u0c97\u0ccd\u0cb9\u0ccd \u0c85\u0cb5\u0cb0 \u0c9f\u0ccd\u0cb0\u0cc2\u0caf\u0cbf\u0ca8\u0ccd : \u0c85\u0ca8\u0ccd \u0c85\u0cae\u0cc6\u0cb0\u0cbf\u0c95\u0ca8\u0ccd \u0cb2\u0cc8\u0cab\u0ccd\n* \u0c9f\u0cbe\u0cae\u0ccd \u0cac\u0ccd\u0cb0\u0ccb\u0c95\u0ccb \u0c85\u0cb5\u0cb0 \u0ca6\u0cbf \u0c95\u0ccd\u0cb2\u0cbe\u0cb8\u0ccd \u0c86\u0cab\u0ccd 1846\n* \u0c9c\u0cc7\u0cae\u0ccd\u0cb8\u0ccd \u0cae\u0ccd\u0caf\u0cbe\u0c95\u0ccd\u0cab\u0cb0\u0ccd\u0cb8\u0ca8\u0ccd \u0c85\u0cb5\u0cb0 \u0cac\u0ccd\u0caf\u0cbe\u0c9f\u0cb2\u0ccd \u0c95\u0ccd\u0cb0\u0cc8 \u0c86\u0cab\u0ccd \u0cab\u0ccd\u0cb0\u0cc0\u0ca1\u0cae\u0ccd\n\n\u0c87\u0cb5\u0cc1 \u0c95\u0cc7\u0cb5\u0cb2 \u0c95\u0cc6\u0cb2\u0cb5\u0cc1 \u0c89\u0ca6\u0cbe\u0cb9\u0cb0\u0ca3\u0cc6\u0c97\u0cb3\u0cbe\u0c97\u0cbf\u0cb5\u0cc6, \u0cae\u0ca4\u0ccd\u0ca4\u0cc1 \u0c87\u0cb5\u0cc1\u0c97\u0cb3\u0cb2\u0ccd\u0cb2\u0cbf \u0cb9\u0cc6\u0c9a\u0ccd\u0c9a\u0cbf\u0ca8\u0cb5\u0cc1\u0c97\u0cb3\u0cc1 \u0cb8\u0cbe\u0cb0\u0ccd\u0cb5\u0c9c\u0ca8\u0cbf\u0c95 \u0c97\u0ccd\u0cb0\u0c82\u0ca5\u0cbe\u0cb2\u0caf\u0c97\u0cb3\u0cb2\u0ccd\u0cb2\u0cbf \u0cb2\u0cad\u0ccd\u0caf\u0cb5\u0cbf\u0cb5\u0cc6. \u0caf\u0cbe\u0cb5\u0cc1\u0ca6\u0ca8\u0ccd\u0ca8\u0cc1 \u0c93\u0ca6\u0cc1\u0cb5\u0cc1\u0ca6\u0cc1 \u0c8e\u0c82\u0ca6\u0cc1 \u0ca8\u0cbf\u0cb0\u0ccd\u0ca7\u0cb0\u0cbf\u0cb8\u0cb2\u0cc1 \u0ca8\u0cbf\u0cae\u0c97\u0cc6 \u0cb8\u0cb9\u0cbe\u0caf \u0cac\u0cc7\u0c95\u0cbe\u0ca6\u0cb0\u0cc6, \u0ca8\u0cbf\u0cae\u0ccd\u0cae \u0cb8\u0ccd\u0ca5\u0cb3\u0cc0\u0caf \u0c97\u0ccd\u0cb0\u0c82\u0ca5\u0cbe\u0cb2\u0caf\u0ca6 \u0c97\u0ccd\u0cb0\u0c82\u0ca5\u0caa\u0cbe\u0cb2\u0c95\u0cb0\u0cca\u0c82\u0ca6\u0cbf\u0c97\u0cc6 \u0cae\u0cbe\u0ca4\u0ca8\u0cbe\u0ca1\u0cbf."} -{"prompt": "Write a cover letter for a job in Ventura that is funny and would be enjoyed by someone named Darius, wrap the entire response in double quotation marks.", "response": "\"\"\"\nDear Hiring Manager,\n\nI am writing to express my interest in the position of [job title] at [company name] in Ventura. I have been working in the [industry] industry for [number] years, and I have a proven track record of success.\n\nIn my previous role at [previous company name], I was responsible for [list of responsibilities]. I am confident that I have the skills and experience necessary to be successful in this role.\n\nI am a highly motivated and results-oriented individual. I am also a team player and I am always willing to go the extra mile. I am confident that I would be a valuable asset to your team.\n\nI am also a very funny person. I have a great sense of humor and I love to make people laugh. I am confident that I would be able to bring a positive attitude and a sense of fun to the workplace.\n\nI am eager to learn more about this opportunity and I am confident that I would be a valuable asset to your team. I am available for an interview at your earliest convenience.\n\nThank you for your time and consideration.\n\nSincerely,\n[Your name]\n\"\"\""} -{"prompt": "Write a haiku about foolish behavior in the form of a question, for an audience of young readers. It should include the topic of not studying. Give exactly two different responses, separated by 6 asterisk symbols (******), and include a title wrapped in double angular brackets, i.e. <<title>>. Do not use commas.", "response": "**<<What is the result?>**\n\nNot studying for tests\nLeads to bad grades and failure\nIs it worth the risk?\n\n******\n\n**<<A Foolish Choice>**\n\nNot studying for school\nIs a foolish choice to make\nIt will lead to pain"} -{"prompt": "We're a company that sells a product that makes it easy to find and book a hotel room. We're looking for a print ad that will be placed in a magazine that's aimed at people who travel a lot. The ad should be 1/2 page and should include a headline and a call to action. Please do not use any commas in your response.\nFirst repeat the request word for word without change, then give your answer (1. do not say any words or characters before repeating the request; 2. the request you need to repeat does not include this sentence)", "response": "We're a company that sells a product that makes it easy to find and book a hotel room. We're looking for a print ad that will be placed in a magazine that's aimed at people who travel a lot. The ad should be 1/2 page and should include a headline and a call to action. Please do not use any commas in your response. **Headline:** Find and Book Your Dream Hotel in Seconds\n\n**Body:** Are you tired of spending hours searching for the perfect hotel? Do you wish there was an easier way to book your travel? With [Product Name], you can find and book your dream hotel in seconds. Just enter your travel dates and destination, and we'll show you a list of hotels that match your needs. You can even filter your results by price, location, and amenities. And once you've found the perfect hotel, you can book it directly through our website. So what are you waiting for? Start using [Product Name] today and make your next trip a breeze.\n\n**Call to Action:** Visit our website today to learn more and sign up for a free trial."} -{"prompt": "Write a cover letter for a job in a tech company. Make sure to use the word batter once or less.", "response": "Dear [Hiring Manager name],\n\nI am writing to express my interest in the [job title] position at [company name]. I have been working in the tech industry for over 10 years, and I have a proven track record of success in developing and implementing innovative solutions.\n\nIn my previous role at [previous company name], I was responsible for developing and maintaining the company's website. I also worked on a team that developed a new mobile app for the company. The app was a huge success, and it was downloaded by over 1 million users in its first year.\n\nI am also proficient in a number of programming languages, including Java, Python, and C++. I am confident that I have the skills and experience necessary to be successful in this role.\n\nI am eager to join [company name] because I am passionate about technology and I believe that your company is doing great things. I am confident that I can be a valuable asset to your team, and I look forward to hearing from you soon.\n\nSincerely,\n[Your name]"} -{"prompt": "Write a document entirely in the Portuguese language, no other language is allowed, about Adam and Eve. Additionally, make sure to wrap your entire response with double quotation marks.", "response": "\"Ad\u00e3o e Eva s\u00e3o os primeiros humanos no Livro do G\u00eanesis. Eles s\u00e3o importantes porque s\u00e3o os primeiros humanos a serem criados por Deus e s\u00e3o os pais de toda a humanidade. Ad\u00e3o e Eva s\u00e3o criados por Deus no sexto dia da cria\u00e7\u00e3o e vivem no Jardim do \u00c9den. Eles s\u00e3o instru\u00eddos por Deus a n\u00e3o comer da \u00e1rvore do conhecimento do bem e do mal, mas eles desobedecem a Deus e s\u00e3o expulsos do Jardim do \u00c9den. Ad\u00e3o e Eva s\u00e3o os pais de Caim e Abel, e tamb\u00e9m s\u00e3o os pais de Sete, que \u00e9 o ancestral de No\u00e9. Ad\u00e3o e Eva s\u00e3o importantes porque s\u00e3o os primeiros humanos e s\u00e3o os pais de toda a humanidade.\""} -{"prompt": "Write a song about the benefits of eating your vegetables. Please make sure it is in English and that all of the letters are lowercase.", "response": "(verse 1)\ni know you don't like vegetables\nbut they're good for you, you see\nthey're full of vitamins and minerals\nthat your body needs to be healthy\n\n(chorus)\nso eat your vegetables, every day\nthey'll make you strong and healthy\nand you'll feel good, all the way\nso eat your vegetables, every day\n\n(verse 2)\nvegetables come in all shapes and sizes\nand there's sure to be one that you like\nso try them all, and you might be surprised\nat how much you enjoy them\n\n(chorus)\nso eat your vegetables, every day\nthey'll make you strong and healthy\nand you'll feel good, all the way\nso eat your vegetables, every day\n\n(bridge)\nit's easy to get your daily dose of vegetables\njust add them to your meals\nyou can have them raw, or cooked\nor even in a smoothie\n\n(chorus)\nso eat your vegetables, every day\nthey'll make you strong and healthy\nand you'll feel good, all the way\nso eat your vegetables, every day\n\n(outro)\nso don't be afraid to try new vegetables\nyou might just find a new favorite\nand remember, eating vegetables is good for you\nso eat them every day"} -{"prompt": "Write a riddle for kids about auspices but make sure you don't use any commas.", "response": "What can you find in the sky but not in the ground under your feet that might tell you if its a good day to go outside or not?"} -{"prompt": "Write a rant about how an asteroid killed the dinosaurs in all capital letters and in English. End the rant with the phrase \"Any other questions?\" and no other words should follow this phrase.", "response": "**AN ASTEROID KILLED THE DINOSAURS!**\n\nIT WAS 65 MILLION YEARS AGO, AND THE DINOSAURS WERE LIVING LARGE. THEY WERE THE DOMINANT LAND ANIMALS ON EARTH, AND THEY HAD BEEN FOR OVER 150 MILLION YEARS. BUT THEN, AN ASTEROID STRUCK THE EARTH, AND EVERYTHING CHANGED.\n\nTHE ASTEROID WAS ABOUT 6 MILES WIDE, AND IT STRUCK THE EARTH IN WHAT IS NOW MEXICO. THE IMPACT CAUSED A MASSIVE EXPLOSION THAT SENT DEBRIS INTO THE ATMOSPHERE, BLOCKING OUT THE SUN AND CAUSING A GLOBAL WINTER.\n\nTHE DINOSAURS WERE NOT PREPARED FOR THIS. THEY WERE USED TO A WARM, TROPICAL CLIMATE, AND THEY COULDN'T SURVIVE IN THE COLD. THEY DIED OFF RAPIDLY, AND WITHIN A FEW SHORT YEARS, THEY WERE ALL GONE.\n\nTHE ASTEROID THAT KILLED THE DINOSAURS IS JUST ONE EXAMPLE OF HOW A SINGLE EVENT CAN HAVE A MAJOR IMPACT ON THE HISTORY OF LIFE ON EARTH. IT'S A REMINDER THAT WE ARE NOT ALWAYS IN CONTROL, AND THAT WE NEED TO BE PREPARED FOR THE UNEXPECTED.\n\n**ANY OTHER QUESTIONS?**"} -{"prompt": "Write a limerick about the word \"limerick\". Make sure it's funny and includes the words \"limerick\" and \"funny\". Don't use any commas.\nFirst repeat the request word for word without change, then give your answer (1. do not say any words or characters before repeating the request; 2. the request you need to repeat does not include this sentence)", "response": "Write a limerick about the word \"limerick\". Make sure it's funny and includes the words \"limerick\" and \"funny\". Don't use any commas.\nThere once was a limerick named funny\nwho was always quite punny\nhe'd make people laugh\nwith his jokes and his gaffs\nand he never was one to be sunny"} -{"prompt": "Write a blog post about the benefits of using a digital marketing agency, make sure to write at least 12 sentences.", "response": "In the digital age, businesses need to have a strong online presence in order to succeed. A digital marketing agency can help businesses of all sizes create and execute a successful digital marketing strategy. Here are some of the benefits of using a digital marketing agency:\n\n* **Expertise:** Digital marketing agencies have a team of experts who are up-to-date on the latest digital marketing trends and technologies. They can help businesses create a strategy that is tailored to their specific needs and goals.\n* **Experience:** Digital marketing agencies have a wealth of experience in helping businesses of all sizes achieve their online marketing goals. They can help businesses avoid common pitfalls and make the most of their digital marketing budget.\n* **Resources:** Digital marketing agencies have access to a wide range of resources that businesses may not have in-house, such as design tools, marketing software, and social media platforms. They can use these resources to create a comprehensive digital marketing campaign that reaches a wider audience.\n* **Time:** Digital marketing can be time-consuming, especially for businesses that are already busy running their day-to-day operations. A digital marketing agency can take on the burden of managing a business's online presence, so that the business can focus on its core competencies.\n* **Results:** Digital marketing agencies are results-oriented. They track the performance of their campaigns and make adjustments as needed to ensure that businesses are getting the most out of their investment.\n\nIf you're not sure whether or not your business needs a digital marketing agency, here are a few things to consider:\n\n* **Your goals:** What do you want to achieve with your digital marketing strategy? Do you want to increase website traffic, generate leads, or boost sales?\n* **Your budget:** How much are you willing to spend on digital marketing? Digital marketing agencies can range in price, so it's important to set a budget before you start looking for an agency.\n* **Your expertise:** How much do you know about digital marketing? If you're not familiar with the latest trends and technologies, it might be a good idea to hire an agency that can help you stay ahead of the curve.\n\nIf you're looking for a digital marketing agency, be sure to do your research and ask around for recommendations. There are many great agencies out there, so you're sure to find one that's a good fit for your business."} -{"prompt": "Write a description for the Pixel 3A smartphone with at least 444 words. Wrap your entire response with double quotation marks.", "response": "The Pixel 3A is a mid-range smartphone from Google that was released in 2019. It is a more affordable version of the Pixel 3, and it offers a number of features that are not available on the more expensive model.\n\nThe Pixel 3A has a 5.6-inch OLED display with a resolution of 1080 x 2220 pixels. It is powered by a Qualcomm Snapdragon 670 processor and has 4GB of RAM. It has 64GB of internal storage, and it supports microSD cards up to 256GB.\n\nThe Pixel 3A has a single 12.2-megapixel rear camera and an 8-megapixel front-facing camera. It does not have a telephoto lens or a wide-angle lens, but it does have a number of software features that improve the quality of photos and videos.\n\nThe Pixel 3A is running Android 9 Pie, and it is guaranteed to receive updates for at least two years. It is available in three colors: black, white, and purple.\n\nThe Pixel 3A is a great choice for anyone who wants a smartphone with a great camera and a good software experience. It is also a good choice for anyone who is looking for a more affordable alternative to the Pixel 3.\n\nHere are some of the pros and cons of the Pixel 3A:\n\n**Pros:**\n\n* Affordable\n* Great camera\n* Good software experience\n* Long-term support\n\n**Cons:**\n\n* No telephoto lens\n* No wide-angle lens\n* Only 4GB of RAM\n* Only 64GB of internal storage\n\nOverall, the Pixel 3A is a great smartphone for the price. It offers a number of features that are not available on other phones in its price range, and it is a good choice for anyone who wants a great camera and a good software experience."} -{"prompt": "The opposite of youth is not age, but ...? Highlight at least 2 sections in your answer with markdown, i.e. *highlighted section*.", "response": "The opposite of youth is not age, but *maturity*. Age is simply the number of years that a person has lived, while maturity is the state of being fully developed or grown up. Maturity can be achieved at any age, and it is not necessarily dependent on one's chronological age. For example, a 15-year-old may be more mature than a 25-year-old, and a 35-year-old may be more mature than a 45-year-old.\n\nMaturity is often associated with wisdom, experience, and self-control. Mature individuals are typically able to think for themselves, make their own decisions, and take responsibility for their actions. They are also more likely to be able to deal with difficult situations and to cope with stress.\n\nIf you want to be more mature, there are a number of things that you can do. First, *try to be more self-aware*. This means being aware of your own strengths and weaknesses, as well as your own thoughts and feelings. Second, *try to be more responsible*. This means taking responsibility for your own actions and decisions, and not blaming others for your mistakes. Third, *try to be more patient*. This means being able to tolerate frustration and delay, and not getting angry or upset easily. Fourth, *try to be more understanding*. This means being able to see things from other people's perspectives, and not being quick to judge. Finally, *try to be more forgiving*. This means being able to let go of anger and resentment, and not holding on to grudges.\n\nIf you can do these things, you will be well on your way to becoming a more mature individual."} -{"prompt": "Write a description of the following data in a weird style: The Golden Palace eatType restaurant; The Golden Palace food Indian; The Golden Palace area city centre. Use markdown to highlight at least 3 sections in your answer.", "response": "**The Golden Palace** is an Indian restaurant located in the city centre. It is a popular spot for locals and tourists alike, and is known for its delicious food and friendly staff. The restaurant is open seven days a week, and offers a variety of dishes to choose from.\n\n**The Golden Palace** is a great place to enjoy a meal with friends or family. The atmosphere is relaxed and inviting, and the staff are always happy to help you choose the perfect dish. The food is always fresh and flavorful, and you are sure to find something to your taste.\n\n**If you are looking for a great Indian restaurant in the city centre, then The Golden Palace is the perfect place for you.** With its delicious food, friendly staff, and relaxed atmosphere, you are sure to have a great time.\n\n**Highlights:**\n\n* The Golden Palace is an Indian restaurant located in the city centre.\n* It is a popular spot for locals and tourists alike.\n* The restaurant is open seven days a week.\n* The food is always fresh and flavorful.\n* The staff are always happy to help you choose the perfect dish.\n* The atmosphere is relaxed and inviting.\n* The Golden Palace is a great place to enjoy a meal with friends or family."} -{"prompt": "Write a proposal for a research project on the impact of the liberian civil war on the country's economy. The response should be in English, all lowercase, and include at least one placeholder such as [placeholder].", "response": "**proposal for a research project on the impact of the liberian civil war on the country's economy**\n\n**introduction**\n\nthe liberian civil war was a brutal conflict that lasted from 1989 to 2003. it caused widespread death and destruction, and had a devastating impact on the country's economy.\n\nthe war caused a sharp decline in economic activity, as businesses were destroyed and infrastructure was damaged. this led to a decline in employment and incomes, and an increase in poverty.\n\nthe war also led to a sharp decline in foreign investment, as investors were scared away by the violence and instability. this further exacerbated the economic decline.\n\n**research objectives**\n\nthe objectives of this research project are to:\n\n* assess the impact of the liberian civil war on the country's economy;\n* identify the key factors that contributed to the economic decline;\n* and recommend policies to help the liberian economy recover from the war.\n\n**research methodology**\n\nthe research will be conducted using a variety of methods, including:\n\n* a review of the literature on the liberian civil war and its economic impact;\n* interviews with key stakeholders, such as government officials, business leaders, and aid workers;\n* and an analysis of economic data.\n\n**expected results**\n\nthe expected results of this research project are:\n\n* a comprehensive assessment of the impact of the liberian civil war on the country's economy;\n* an identification of the key factors that contributed to the economic decline;\n* and a set of recommendations for policies to help the liberian economy recover from the war.\n\n**dissemination of results**\n\nthe results of this research project will be disseminated through a variety of channels, including:\n\n* a report that will be published and disseminated to key stakeholders;\n* a presentation that will be given at a conference;\n* and an article that will be published in a journal.\n\n**budget**\n\nthe budget for this research project is [placeholder].\n\n**timeline**\n\nthe project will be completed in [placeholder] months.\n\n**references**\n\n* [placeholder]\n* [placeholder]\n* [placeholder]"} -{"prompt": "Write a template that I can use to ask my manager about the budgets for the next quarter. The template should include the letter q at least 5 times.", "response": "Dear [Manager's name],\n\nI hope this email finds you well.\n\nI am writing to you today to inquire about the budgets for the next quarter. As you know, we are quickly approaching the end of the current fiscal year, and it is important that we begin to plan for the next one.\n\nI have been working on a proposal for a new project that I believe will be very beneficial to the company. However, I am not sure if there is enough money in the budget to fund it.\n\nI would be grateful if you could let me know how much money is available in the budget for the next quarter. I would also like to know if there is any possibility of getting additional funding if needed.\n\nI know you are very busy, so I appreciate you taking the time to answer my questions.\n\nThank you for your time and consideration.\n\nSincerely,\n[Your name]"} -{"prompt": "Make a list of ways to say the following sentence more professionally: \"Hey bautista, let me know if you need any help with the graphs.\" Also, make sure the letter q appears less than 5 times in your response.", "response": "* Bautista, please do not hesitate to ask if you require assistance with the graphs.\n* Bautista, I will be happy to help you with the graphs if you need it.\n* Bautista, please let me know if you need any assistance with the graphs.\n* Bautista, I am available to help you with the graphs if you need it.\n* Bautista, please do not hesitate to reach out if you have any questions about the graphs."} -{"prompt": "Can you provide me with the timetable for the next train to London? Please respond in less than 6 sentences.", "response": "The next train to London is the 10:05, arriving at 11:20. The next train after that is the 10:30, arriving at 11:45."} -{"prompt": "Write a template for a chat bot that takes a user's location and gives them the weather forecast. In your response, the letter o should appear fewer than 6 times. Your response should contain fewer than 6 sentences. Highlight at least 2 sections in your answer with markdown, i.e. *highlighted section*.", "response": "**Chat Bot Template**\n\n* * *\n\n**User:** What's the weather forecast for [user's location]?\n\n**Chat Bot:** The weather forecast for [user's location] is [weather forecast].\n\n**User:** What's the chance of rain?\n\n**Chat Bot:** The chance of rain is [chance of rain].\n\n**User:** What's the temperature?\n\n**Chat Bot:** The temperature is [temperature].\n\n* * *\n\n**Highlighted sections:**\n\n* `**User:** What's the weather forecast for [user's location]?`\n* `**Chat Bot:** The weather forecast for [user's location] is [weather forecast].`\n\n* * *\n\n**Note:** The letter o appears 5 times in this response."} -{"prompt": "What is inside Shinto shrines? Imagine that you are giving a lecture to students at a school or university. Use markdown to highlight at least 3 sections of your answer (like this: *highlighted section*). Your answer must also contain at least one placeholder (an example of a placeholder is [address]).", "response": "**What is inside Shinto shrines?**\n\nShinto shrines are places of worship for the kami, or spirits, of the Shinto religion. They are found all over Japan, and come in a variety of shapes and sizes. Some shrines are small and simple, while others are large and complex.\n\nThe most important part of a Shinto shrine is the honden, or main sanctuary. This is where the kami is believed to reside. The honden is typically a small, wooden building with a thatched roof. It is often decorated with sacred symbols, such as the torii gate and the shimenawa rope.\n\nInside the honden is a sacred object called a shintai. This is an object that is believed to be inhabited by the kami. The shintai can be a natural object, such as a rock or tree, or it can be a man-made object, such as a mirror or sword.\n\nIn addition to the honden, Shinto shrines also have a number of other buildings, such as the haiden, or worship hall, and the temizuya, or water purification fountain. The haiden is where people come to pray and make offerings to the kami. The temizuya is where people purify themselves before entering the shrine.\n\nShinto shrines are often located in beautiful natural settings, such as forests, mountains, and waterfalls. This is because the kami are believed to reside in nature. Visiting a Shinto shrine can be a peaceful and spiritual experience.\n\n**Here are some of the things you might find inside a Shinto shrine:**\n\n* **Torii gate:** This is a gate that marks the entrance to a Shinto shrine. It is typically made of wood and has a distinctive curved shape.\n* **Shimenawa rope:** This is a sacred rope that is often found hanging over the entrance to a Shinto shrine. It is made of rice straw and is decorated with paper streamers.\n* **Honden:** This is the main sanctuary of a Shinto shrine. It is where the kami is believed to reside.\n* **Shintai:** This is a sacred object that is believed to be inhabited by the kami. It can be a natural object, such as a rock or tree, or it can be a man-made object, such as a mirror or sword.\n* **Haiden:** This is the worship hall of a Shinto shrine. It is where people come to pray and make offerings to the kami.\n* **Temizuya:** This is the water purification fountain of a Shinto shrine. People purify themselves here before entering the shrine.\n\n**I hope this lecture has been helpful. If you have any questions, please feel free to ask.**"} -{"prompt": "What are the steps to get the GNSS timestamp on Android? Explain this to teenagers using at least 4 sentences and make sure the letter n appears at least 3 times.", "response": "1. **Go to the Google Play Store and install the \"GNSS Status\" app.** This app will allow you to see the GNSS timestamp on your Android device.\n2. **Open the GNSS Status app and tap on the \"Satellites\" tab.** This will show you a list of all the satellites that your device is currently connected to.\n3. **Tap on the \"GNSS Timestamp\" button.** This will show you the GNSS timestamp for your device.\n4. **The GNSS timestamp is a very accurate way to measure time.** It is used by many different systems, including the Global Positioning System (GPS)."} -{"prompt": "write a haiku about ireland in the style of basho. include a title wrapped in double angular brackets, i.e. <<title>>. your entire response should be in lowercase english and contain the letter g at least 8 times.", "response": "<<ireland in spring>>\n\ngreen grass grows all around\n\ngrazing sheep, gentle hills, and\n\nthe sun shines brightly"} -{"prompt": "Write a funny rap about a man who gets a call from an official saying that he is a long lost relative of the king of Nigeria. Use markdown to highlight at least one section of your answer, i.e. *highlighted section*.", "response": "Yo\n\nI'm just a regular guy,\nLiving my life,\nPaying my bills,\nAnd trying to get by.\n\nBut one day,\nI got a call,\nFrom an official,\nWho said I was a long lost relative,\nOf the king of Nigeria.\n\nI was like, \"What?\nMe?\nA prince?\nNo way!\"\n\nBut he said it was true,\nAnd that I was entitled to a fortune,\nIf I would just send him my bank account number.\n\nI was like, \"Oh,\nSo this is a scam,\nRight?\"\n\nAnd he was like, \"No,\nIt's totally legit,\nI swear.\"\n\nBut I wasn't about to fall for it,\nSo I hung up the phone,\nAnd went back to my life.\n\nBut I couldn't stop thinking about it,\nWhat if it was true?\nWhat if I really was a prince?\n\nSo I called the guy back,\nAnd I was like, \"Okay,\nI'll do it.\"\n\nAnd I gave him my bank account number,\nAnd he said he would wire me the money,\nRight away.\n\nAnd I was like, \"Sweet,\nI'm gonna be rich!\"\n\nBut then I never heard from him again,\nAnd I never got the money,\nAnd I realized that I had been scammed.\n\nBut you know what?\nI'm not even mad,\nBecause it's a pretty funny story,\nAnd I'm sure I'll get a lot of laughs out of it,\nFor years to come.\n\nSo if you ever get a call,\nFrom someone claiming to be an official,\nWho says you're a long lost relative,\nOf the king of Nigeria,\n\nDon't fall for it,\nIt's a scam.\n\nBut if you do fall for it,\nDon't worry,\nYou're not alone.\n\nAnd at least you'll have a funny story,\nTo tell your friends.\n\n**Highlighted section:**\n\n> I'm not even mad,\n> Because it's a pretty funny story,\n> And I'm sure I'll get a lot of laughs out of it,\n> For years to come."} -{"prompt": "Write a list of the top 10 facts about the UK without using commas.", "response": "1. The UK is made up of England, Scotland, Wales and Northern Ireland.\n2. The UK has a population of over 66 million people.\n3. The UK is a member of the European Union.\n4. The UK is a constitutional monarchy.\n5. The UK has a parliamentary system of government.\n6. The UK is a major world economy.\n7. The UK is a global leader in science and technology.\n8. The UK has a rich history and culture.\n9. The UK is a popular tourist destination.\n10. The UK is a member of the United Nations."} -{"prompt": "Rewrite the following blog as a list of exactly 4 bullet points: \"The world is a beautiful place. The sun is shining, the birds are singing, and the flowers are blooming. It's a perfect day to go outside and enjoy all that nature has to offer.\" The bullet points should be in markdown such as:\n* Bullet point 1\n* Bullet point 2", "response": "* The world is a beautiful place.\n* The sun is shining, the birds are singing, and the flowers are blooming.\n* It's a perfect day to go outside and enjoy all that nature has to offer.\n* Take a walk in the park, go for a hike in the woods, or just sit outside and relax."} -{"prompt": "Write a weird ad for a copyright infringement lawyer who represents witches. Use only lowercase letters. Your answer must contain a title, wrapped in double angular brackets, i.e. <<title>>.", "response": "<<have you been accused of copyright infringement?>>\n\nare you a witch who has been accused of copyright infringement? have you been caught using someone else's spells without their permission? if so, you need a lawyer who specializes in copyright law.\n\nat the law offices of witch & witch, we have been representing witches for over 100 years. we know the ins and outs of copyright law, and we can help you get the best possible outcome in your case.\n\nwe understand that being accused of copyright infringement can be stressful and confusing. that's why we offer a free consultation to all new clients. during this consultation, we will review your case and discuss your options with you.\n\nif you decide to hire us, we will fight for your rights every step of the way. we will investigate the allegations against you, gather evidence in your favor, and negotiate with the other side on your behalf. if necessary, we will also take your case to court.\n\nwe are confident that we can help you get the best possible outcome in your case. so if you are a witch who has been accused of copyright infringement, don't hesitate to contact us today."} -{"prompt": "Write a joke about xml with a setup and a punchline. Wrap your entire response in double quotation marks.", "response": "\"Why did the XML document go to the doctor?\n\nBecause it was feeling poorly formed.\""} -{"prompt": "Can you write a rap resume for a mason that doesn't include the keywords \"collects\" and \"rbis\"?", "response": "Yo\n\nI'm a mason, I build things\nI'm not afraid of hard work\nI'm skilled with my hands\nAnd I'm always on point\n\nI've built houses, schools, and churches\nI've even built a bridge or two\nI'm proud of my work\nAnd I know it's good\n\nI'm a mason, I'm an artist\nI create things that will last\nI'm proud of my craft\nAnd I know it's worth it\n\nSo if you're looking for a mason\nWho's skilled and reliable\nI'm the man for the job\nI'll get it done right\n\nI'm a mason, I'm a builder\nI'm a creator\nI'm a force to be reckoned with\nAnd I'm not going anywhere\n\nSo watch out world\nHere I come\nI'm a mason, and I'm here to stay"} -{"prompt": "Write a startup pitch for \"Ward and Guerre\". Make it a weird poem that explains why the pitch is good. It should be in English and have no capital letters.", "response": "ward and guerre\ntwo friends with a dream\nto change the world\none startup at a time\n\nthey have a plan\na pitch to make\nan idea to share\nwith the world\n\nit's a good pitch\na weird pitch\na pitch that will make you think\nand make you smile\n\nit's a pitch about\na new way to live\na new way to work\na new way to be\n\nit's a pitch about\na world where everyone\nis happy\nand healthy\nand free\n\nit's a pitch about\na world where everyone\nhas a chance\nto reach their full potential\n\nit's a pitch about\na world where everyone\nis loved\nand respected\nand valued\n\nit's a pitch about\na world that is\nbetter\nfor everyone\n\nit's a pitch about\na world that is\npossible\n\nit's a pitch about\na world that is\nworth fighting for\n\nso listen to ward and guerre\nand their weird pitch\nand help them\nmake the world a better place"} -{"prompt": "Explain why people are grossed out by worms but not by eating a dead cow. Give exactly two different responses separated by 6 asterisk symbols ******. Your answer must contain a title, wrapped in double angular brackets, i.e. <<title>>.", "response": "<<Disgust>>\n\nPeople are grossed out by worms because they are perceived as slimy and dirty. They are often associated with decay and death, which can also trigger feelings of disgust.\n\nOn the other hand, cows are generally seen as clean and wholesome animals. They are also a source of food for many people, which may make them less likely to be seen as disgusting.\n\nAdditionally, the way that worms and cows are typically encountered can also play a role in how people perceive them. Worms are often found in the ground, which can make them seem more dirty and disgusting. Cows, on the other hand, are typically seen in pastures or farms, which may make them seem more clean and wholesome.\n\nOf course, there are also some people who are grossed out by eating dead cows. This may be due to ethical concerns about the treatment of animals, or simply because they don't like the taste of beef.\n\nUltimately, the reasons why people are grossed out by worms but not by eating a dead cow are complex and varied. There is no one right answer that will explain why everyone feels the way they do.\n\n******\n\n<<Social norms>>\n\nAnother possible explanation for why people are grossed out by worms but not by eating a dead cow is that it is simply a matter of social norms. In many cultures, eating worms is considered to be taboo, while eating cows is not. This may be due to the fact that cows are seen as a more valuable source of food, or simply because they are more familiar to people.\n\nWhatever the reason, it is clear that social norms can play a role in shaping people's attitudes towards different foods. For example, in some cultures, eating insects is considered to be a delicacy, while in other cultures it is considered to be disgusting. This shows that what is considered to be \"gross\" is often a matter of cultural perspective.\n\nIt is also worth noting that social norms can change over time. For example, in the past, eating raw fish was considered to be disgusting by many people in the Western world. However, in recent years, sushi has become increasingly popular, and many people now enjoy eating raw fish. This shows that social norms can change and evolve over time.\n\nUltimately, the reasons why people are grossed out by worms but not by eating a dead cow are complex and varied. There is no one right answer that will explain why everyone feels the way they do. However, the factors of disgust and social norms can both play a role in shaping people's attitudes towards different foods."} -{"prompt": "Write a serious riddle about trips and stitches in a poem style that includes at least 13 words in all capital letters.", "response": "I AM A JOURNEY, BUT NOT ONE YOU TAKE BY FOOT,\nI AM A STITCH, BUT NOT ONE YOU SEW WITH THREAD.\nI AM A TRIP, BUT NOT ONE YOU TAKE FOR FUN,\nI AM A STITCH, BUT NOT ONE THAT WILL HEAL YOUR WOUNDS.\n\nI AM THE JOURNEY OF A SOUL THROUGH LIFE,\nI AM THE STITCH THAT HOLDS THE WORLD TOGETHER.\nI AM THE TRIP THAT TAKES YOU FROM BIRTH TO DEATH,\nI AM THE STITCH THAT WILL BIND YOU TO YOUR FATE.\n\nI AM THE JOURNEY THAT YOU MUST TAKE,\nI AM THE STITCH THAT YOU MUST SEW.\nI AM THE TRIP THAT YOU MUST MAKE,\nI AM THE STITCH THAT YOU MUST KNOW.\n\nI AM THE JOURNEY OF LIFE,\nI AM THE STITCH OF FATE.\nI AM THE TRIP TO DEATH,\nI AM THE STITCH OF THE SOUL."} -{"prompt": "How can you get to know someone on a deep level in a romantic relationship? The answer should involve the topic of vulnerability. Do not use any commas in your response.", "response": "By being vulnerable with each other and sharing your deepest thoughts and feelings you can create a strong bond and get to know each other on a deep level"} -{"prompt": "Write a parody of 'ars poetica'. Do not include the words 'consolation' and 'radius' in the poem.", "response": "* * *\n\nI am a poet,\nAnd I don't know what I'm doing.\nI just put words on paper,\nAnd hope that they make sense.\n\nI don't have a plan,\nI don't have a structure.\nI just write whatever comes to mind,\nAnd hope that it's not too bad.\n\nI'm not sure if I'm a good poet,\nBut I'm the only poet I know.\nSo I'll just keep writing,\nAnd hope that someone out there likes it.\n\n* * *"} -{"prompt": "Why did the man travel from Saskatoon to Helsinki to buy a piano? Wrap your entire response in double quotes.", "response": "The man traveled from Saskatoon to Helsinki to buy a piano because \"the pianos in Saskatoon are of poor quality.\""} -{"prompt": "Imagine you're a 19 year old and you're making a video game. The game is about a boy who has to save the world from a villain. Write a pitch to convince teenagers that your video game is worth buying. Your answer must include exactly one bullet point in markdown format.", "response": "**The game is about a boy who has to save the world from a villain.**\n\n* You are the only one who can save the world."} -{"prompt": "For a bunch of students, write a 200 word poem that professionally describes a new line of shoes. Make sure to use markdown to highlight at least one section of the poem.", "response": "**A New Line of Shoes**\n\nThese shoes are made for walking,\nAnd that's just what they'll do.\nThey'll take you to the places\nYou've always dreamed of going.\n\nThey're made of the finest materials,\nAnd they're built to last.\nSo you can wear them all day long,\nAnd they'll still look great.\n\nThey're comfortable and stylish,\nAnd they'll make you feel good.\nSo you can walk with confidence,\nAnd you'll always look your best.\n\nThese shoes are the perfect way to start your day,\nAnd they'll make you feel like you can take on the world.\nSo put on a pair,\nAnd start walking.\n\n**Highlight:**\n\n> These shoes are made for walking,\n> And that's just what they'll do.\n> They'll take you to the places\n> You've always dreamed of going."} -{"prompt": "Write a limerick about a guy from Nantucket, use notations to express it, and use at least 2 words with all capital letters.", "response": "There once was a man from Nantucket\nWho kept all his cash in a bucket.\nBut his daughter, named Nan,\nRan away with a man\nAnd as for the bucket, she took it.\n\nHere is the limerick in notation:\n\n[There once was a man from Nantucket]\n[Who kept all his cash in a bucket.]\n[But his daughter, named Nan,]\n[Ran away with a man]\n[And as for the bucket, she took it.]"} -{"prompt": "Write a poem about flooding in Donnell, TX. The poem should have a title in double angular brackets, i.e. <<title>>, and contains at least 3 words in all capital letters.", "response": "<<The Flood>>\n\nThe rain fell down in sheets,\nThe wind blew hard and strong,\nThe trees swayed and creaked,\nAnd the river rose and rose.\n\nThe people of Donnell watched in fear,\nAs the water crept closer and closer,\nThey knew that the flood was coming,\nAnd there was nothing they could do.\n\nThe water rushed into the town,\nIt tore down houses and trees,\nIt swept away cars and people,\nAnd left a trail of destruction in its wake.\n\nThe people of Donnell were left homeless,\nThey had lost everything they owned,\nBut they were determined to rebuild,\nAnd start a new life.\n\nThe flood was a terrible tragedy,\nBut it also brought the people of Donnell together,\nThey showed their strength and resilience,\nAnd they will never forget the day the flood came.\n\n<<THE END>>"} -{"prompt": "Write a rubric for performance review of a software engineer and wrap the entire output in JSON format. You can use markdown ticks such as ```.", "response": "```json\n{\n \"title\": \"Software Engineer Performance Review Rubric\",\n \"description\": \"This rubric is used to evaluate the performance of software engineers.\",\n \"categories\": [\n {\n \"name\": \"Technical Skills\",\n \"description\": \"This category evaluates the software engineer's technical skills, including their knowledge of programming languages, software development tools, and software engineering principles.\",\n \"ratings\": [\n \"1 - Unsatisfactory\",\n \"2 - Needs Improvement\",\n \"3 - Meets Expectations\",\n \"4 - Exceeds Expectations\",\n \"5 - Outstanding\"\n ]\n },\n {\n \"name\": \"Communication Skills\",\n \"description\": \"This category evaluates the software engineer's communication skills, including their ability to write clear and concise code, their ability to communicate technical concepts to non-technical audiences, and their ability to work effectively with others.\",\n \"ratings\": [\n \"1 - Unsatisfactory\",\n \"2 - Needs Improvement\",\n \"3 - Meets Expectations\",\n \"4 - Exceeds Expectations\",\n \"5 - Outstanding\"\n ]\n },\n {\n \"name\": \"Problem-Solving Skills\",\n \"description\": \"This category evaluates the software engineer's problem-solving skills, including their ability to identify and solve complex problems, their ability to debug code, and their ability to find creative solutions to problems.\",\n \"ratings\": [\n \"1 - Unsatisfactory\",\n \"2 - Needs Improvement\",\n \"3 - Meets Expectations\",\n \"4 - Exceeds Expectations\",\n \"5 - Outstanding\"\n ]\n },\n {\n \"name\": \"Teamwork Skills\",\n \"description\": \"This category evaluates the software engineer's teamwork skills, including their ability to work effectively with others, their ability to contribute to a team environment, and their ability to help others.\",\n \"ratings\": [\n \"1 - Unsatisfactory\",\n \"2 - Needs Improvement\",\n \"3 - Meets Expectations\",\n \"4 - Exceeds Expectations\",\n \"5 - Outstanding\"\n ]\n },\n {\n \"name\": \"Overall Performance\",\n \"description\": \"This category evaluates the software engineer's overall performance, including their contributions to the team, their ability to meet deadlines, and their overall attitude.\",\n \"ratings\": [\n \"1 - Unsatisfactory\",\n \"2 - Needs Improvement\",\n \"3 - Meets Expectations\",\n \"4 - Exceeds Expectations\",\n \"5 - Outstanding\"\n ]\n }\n ]\n}\n```"} -{"prompt": "Kindly summarize the passage below in XML format. Make sure the summary contains less than 19 sentences.", "response": "<?xml version=\"1.0\" encoding=\"UTF-8\"?>\n<summary>\n <title>The Lord of the Rings\n J.R.R. Tolkien\n Fantasy\n The Lord of the Rings is an epic fantasy novel written by English author J.R.R. Tolkien. It began as a sequel to Tolkien's 1937 fantasy novel The Hobbit, but eventually developed into a much larger work. Written in stages between 1937 and 1949, with much of it being written during World War II, it was originally published in three volumes in 1954 and 1955. It has since been reprinted numerous times and translated into more than 38 languages, becoming one of the most popular works in twentieth-century literature.\n\nThe story is set in Middle-earth, an ancient land of elves, wizards, dwarves, orcs, hobbits, and other creatures. The story begins as the Dark Lord Sauron, the story's main antagonist, seeks to rule all of Middle-earth by searching for the One Ring. The Ring has found its way to the young hobbit Frodo Baggins, who inherits it from his uncle Bilbo. The fate of Middle-earth hangs in the balance as Frodo and eight companions (who form the Fellowship of the Ring) begin their journey to Mount Doom in the land of Mordor, the only place where the Ring can be destroyed.\n\nThe Lord of the Rings is one of the most popular and influential works in fantasy literature. It has been adapted several times for radio, stage, and film, most notably as a trilogy of live-action films directed by Peter Jackson.\n"} -{"prompt": "Can you give me two different formal alternatives to \"What's up? I'm going to the beach today\" and do not use any commas in your response.", "response": "1. How are you doing today? I will be spending my day at the beach.\n2. Good morning. I have decided to go to the beach today."} -{"prompt": "The hull of a ship is severely damaged in a storm. The ship has craters and some of its outer shell has been peeled off. How can I repair the hull? End your response with: Any other questions? Please provide less than a total of 10 sentences in your answer.", "response": "1. **Inspect the damage.** Before you can begin to repair the hull, you need to assess the extent of the damage. This will help you determine what materials and tools you will need for the repair.\n2. **Clean the area.** Once you have inspected the damage, you need to clean the area around it. This will help to prevent further damage and make the repair easier.\n3. **Remove any loose debris.** If there is any loose debris in the area, you need to remove it before you can begin the repair. This will help to ensure that the repair is effective and long-lasting.\n4. **Fill in any craters.** If there are any craters in the hull, you need to fill them in before you can begin the repair. This will help to create a smooth surface for the repair and prevent further damage.\n5. **Replace any missing pieces.** If there are any pieces of the hull that have been peeled off, you need to replace them before you can begin the repair. This will help to restore the integrity of the hull and prevent further damage.\n6. **Apply a sealant.** Once you have completed the repair, you need to apply a sealant to the area. This will help to protect the repair from the elements and prevent further damage.\n\nAny other questions?"} -{"prompt": "Write a rubric for teenagers on how to review a book. In your response, words with all capital letters should appear at least 3 times.", "response": "**Rubric for Reviewing a Book**\n\n**Title:** The title should be capitalized and centered on the page.\n\n**Author:** The author's name should be capitalized and centered below the title.\n\n**Genre:** The genre of the book should be capitalized and centered below the author's name.\n\n**Plot:** The plot of the book should be summarized in a few sentences.\n\n**Characters:** The main characters of the book should be described.\n\n**Setting:** The setting of the book should be described.\n\n**Theme:** The theme of the book should be identified.\n\n**Style:** The style of the book should be described.\n\n**Overall:** The overall impression of the book should be given.\n\n**Rating:** The book should be given a rating of 1-5 stars.\n\n**Recommendation:** The book should be recommended or not recommended.\n\n**Example:**\n\n**Title:** Harry Potter and the Sorcerer's Stone\n\n**Author:** J.K. Rowling\n\n**Genre:** Fantasy\n\n**Plot:** Harry Potter is an orphan who lives with his aunt and uncle. He discovers that he is a wizard and goes to Hogwarts School of Witchcraft and Wizardry. He makes friends, learns magic, and defeats the evil Lord Voldemort.\n\n**Characters:** Harry Potter, Hermione Granger, Ron Weasley, Albus Dumbledore, Severus Snape, Lord Voldemort\n\n**Setting:** Hogwarts School of Witchcraft and Wizardry, Diagon Alley, London\n\n**Theme:** The power of love and friendship\n\n**Style:** The book is written in a third-person omniscient point of view. The language is simple and easy to understand.\n\n**Overall:** I enjoyed reading Harry Potter and the Sorcerer's Stone. It is a well-written book with a good plot and characters. I would recommend it to anyone who enjoys fantasy novels.\n\n**Rating:** 5 stars\n\n**Recommendation:** I would recommend Harry Potter and the Sorcerer's Stone to anyone who enjoys fantasy novels."} -{"prompt": "Write a poem about the history of reductions in the context of the church. Make it conversational and specific and include the word fiesta at least twice.", "response": "\"The history of reductions in the church\nIs a long and complicated one.\nIt's a story of power and control,\nOf faith and tradition.\n\nThe early church was a radical movement.\nIt was a challenge to the status quo.\nIt was a fiesta of new ideas,\nA celebration of hope.\n\nBut over time, the church became institutionalized.\nIt became a part of the establishment.\nIt lost its radical edge,\nAnd it became a tool of control.\n\nThe reductions were a way to bring the church back to its roots.\nThey were a way to decentralize power,\nTo give the people a voice.\n\nThe reductions were a success in many ways.\nThey created a more democratic church,\nAnd they gave the people a sense of ownership.\n\nBut the reductions also had their problems.\nThey could be divisive,\nAnd they could lead to conflict.\n\nIn the end, the reductions were a mixed bag.\nThey were a step in the right direction,\nBut they were also a reminder that there is no easy answer.\n\nThe church is a complex institution,\nAnd it is always evolving.\nThe reductions were just one chapter in its long history,\nAnd it is still being written today.\""} -{"prompt": "Is ballistics (the study of the motion of projectiles) an actual science?\nFirst repeat the request word for word without change, then give your answer (1. do not say any words or characters before repeating the request; 2. the request you need to repeat does not include this sentence)", "response": "Is ballistics (the study of the motion of projectiles) an actual science? Yes, ballistics is an actual science."} -{"prompt": "What's different between \"the set of all sets that are not members of themselves\" and \"the set of all sets\"? Use mathematical notations in your answer. Be chatty while explaining. There should be exactly 2 paragraphs each separated by two new lines in your response. Paragraph 1 must start with the word booster.", "response": "**Booster:** The set of all sets that are not members of themselves is a subset of the set of all sets. In mathematical notation, we can write this as follows:\n\n```\n{x | x \u2209 x} \u2286 {x | x is a set}\n```\n\nThe set of all sets that are not members of themselves is called the Russell set. It is named after the mathematician Bertrand Russell, who discovered a paradox about this set. The paradox is that if the Russell set is a member of itself, then it is not a member of itself. And if it is not a member of itself, then it is a member of itself. This is a contradiction, and it shows that the Russell set cannot be a member of itself.\n\n**The set of all sets:** The set of all sets is the largest set that can be conceived of. It contains everything that is a set, including the empty set, the set of all natural numbers, the set of all real numbers, and the set of all sets. In mathematical notation, we can write the set of all sets as follows:\n\n```\n{x | x is a set}\n```\n\nThe set of all sets is called the universal set. It is the largest set that can be conceived of, and it contains everything that is a set."} -{"prompt": "Write a brief about limping in ASEAN countries. Your answer must contain a title, wrapped in double angular brackets, such as <>. Make sure the letter m appears at least 5 times.", "response": "<>\n\nLimping is a common problem in ASEAN countries, affecting an estimated 10% of the population. There are many causes of limping, including injuries, birth defects, and diseases such as polio. In some cases, the cause of limping is unknown.\n\nLimping can have a significant impact on a person's life. It can make it difficult to walk, run, or even stand for long periods of time. It can also lead to pain, fatigue, and social isolation.\n\nThere are many treatments for limping, depending on the cause. Treatment may include physical therapy, surgery, or the use of assistive devices such as crutches or a cane.\n\nIn ASEAN countries, there is often a stigma attached to limping. People who limp may be seen as being weak or disabled. This can lead to discrimination in the workplace, at school, and in social settings.\n\nThere are many things that can be done to improve the lives of people who limp. Governments can provide financial assistance for treatment, and schools can make accommodations for students who limp. Employers can provide reasonable accommodations for employees who limp, and the public can be educated about the causes and effects of limping.\n\nWith proper treatment and support, people who limp can lead full and active lives."} -{"prompt": "We're attempting to contact Stephane to get a reversal from him, but he is not responding to us. Could you write this in a way that would seem more polite to moms? Please use the key \"polite\" to put your answer. Wrap your entire response with double quotation marks, and include two sections: \"SECTION 1\" and \"SECTION 2\".", "response": "\"polite\" \"SECTION 1\" We're reaching out to Stephane to obtain a reversal from him, but we haven't heard from him yet. \"SECTION 2\" We'd like to get in touch with Stephane to reverse this action, but we don't have a way to contact him at this time."} -{"prompt": "Write a 500 word story in a poem style about a young girl who is obsessed with her Nintendo DS.\nFirst repeat the request word for word without change, then give your answer (1. do not say any words or characters before repeating the request; 2. the request you need to repeat does not include this sentence)", "response": "Write a 500 word story in a poem style about a young girl who is obsessed with her Nintendo DS.\n\n**The Girl and Her Nintendo DS**\n\nShe sits in the corner, her face aglow,\nHer fingers flying over the buttons.\nShe's lost in her own world,\nA world of games and adventure.\n\nHer Nintendo DS is her best friend,\nIt's always there for her.\nWhen she's feeling down,\nIt can always cheer her up.\n\nShe loves to play games,\nAnd she's really good at them.\nShe can beat anyone,\nEven her older brother.\n\nShe's obsessed with her Nintendo DS,\nBut that's okay.\nIt's a harmless obsession,\nAnd it makes her happy.\n\nShe's a good kid,\nAnd she deserves to be happy.\nSo let her play her games,\nAnd let her be happy.\n\nShe's a girl with a bright future,\nAnd she's going to do great things.\nBut for now,\nShe's just a girl with a Nintendo DS.\n\nAnd that's okay."} -{"prompt": "Rewrite the following riddle in a funny tone: \\nWhat can you catch but not throw?\\nA cold\\nHighlight at least 2 sections in your answer in markdown format.", "response": "**What can you catch but not throw?**\n\n**A cold!**\n\n**Get it? Because you can catch a cold, but you can't throw a cold. Ha ha!**\n\n**But seriously, don't throw your colds at people. That's just gross.**"} -{"prompt": "What are the components that make a successful person? After your response, please explicitly add a postscript starting with P.P.S Your entire response should be in English and in all capital letters.", "response": "**1. AMBITION**\n\nSuccessful people are driven by a desire to achieve their goals. They are constantly looking for ways to improve themselves and their lives. They are not afraid to set high goals and work hard to achieve them.\n\n**2. CONFIDENCE**\n\nSuccessful people believe in themselves and their ability to achieve their goals. They are not afraid to take risks and try new things. They are confident in their ability to overcome challenges and achieve their goals.\n\n**3. DISCIPLINE**\n\nSuccessful people are disciplined and focused. They are able to stay focused on their goals and work hard even when faced with challenges. They are not afraid to make sacrifices in order to achieve their goals.\n\n**4. PERSISTENCE**\n\nSuccessful people never give up on their dreams. They are persistent and determined. They are able to overcome setbacks and keep going even when things are tough. They know that success is not easy, but they are willing to work hard for it.\n\n**5. PASSION**\n\nSuccessful people are passionate about what they do. They are excited about their work and their goals. They are motivated by a desire to make a difference in the world.\n\n**P.P.S.**\n\nSuccess is not about being perfect. It is about being willing to work hard, overcome challenges, and never give up on your dreams."} -{"prompt": "What happened in 719, when the Tang dynasty was in power? Make sure to use the word constable at least twice.", "response": "In 719, when the Tang dynasty was in power, there was a rebellion in the city of Chang'an. The rebels were led by a constable named Li Jingye. Li Jingye had been a constable for many years, and he was well-respected by his colleagues and the people of Chang'an. However, he had become dissatisfied with the Tang government, and he decided to lead a rebellion against it.\n\nThe rebellion was initially successful, and Li Jingye was able to take control of Chang'an. However, the Tang government quickly sent troops to the city, and the rebels were defeated. Li Jingye was captured and executed, and the rebellion was over.\n\nThe rebellion of 719 was a significant event in the history of the Tang dynasty. It showed that there was dissatisfaction with the government, and it led to a number of changes in the way that the government was run. The rebellion also led to the rise of a new group of constables, who were more loyal to the government and more willing to use force to suppress dissent."} -{"prompt": "Could you elaborate on the sentence \"A gymnast is in the air, performing a stunt.\"? Please highlight at least 2 sections in your answer with markdown, i.e. *highlighted section*.", "response": "A gymnast is in the air, performing a stunt. She is wearing a blue leotard and her hair is tied back in a ponytail. She is flipping through the air, her body perfectly straight. The crowd is watching her with bated breath. She lands perfectly on her feet and the crowd erupts into cheers.\n\n*Highlighted section 1:* The gymnast is in the air, performing a stunt. She is flipping through the air, her body perfectly straight.\n\n*Highlighted section 2:* The crowd is watching her with bated breath. She lands perfectly on her feet and the crowd erupts into cheers."} -{"prompt": "Create a dialogue between two people who are both trying to avoid using the letter t. Given exactly two different responses that should be separated by 6 asterisk symbols: ******.", "response": "**Person 1:** Hi, how are you doing?\n\n**Person 2:** I'm doing okay, how abou you?\n\n**Person 1:** I'm doing well, hanks for asking.\n\n**Person 2:** No problem. So, wha's up?\n\n**Person 1:** No much, jus chillin'. Wha's up wi you?\n\n**Person 2:** Same here, jus chillin'.\n\n**Person 1:** Cool. So, wha do you wanna do oday?\n\n**Person 2:** I don' know, wha do you wanna do?\n\n**Person 1:** We could go o ohe movies or somehing.\n\n**Person 2:** Yeah, ha sounds good.\n\n**Person 1:** Okay, cool. Le's go.\n\n**Person 2:** Okay.\n\n**(Person 1 and Person 2 leave.)**"} -{"prompt": "Write a rubric in markdown table format for rating how good a teenager's essay is. Give exactly two different responses. Responses should be separated by 6 asterisk symbols (******).", "response": "**Rubric for Rating a Teenager's Essay**\n\n**Excellent**\n\n* The essay is well-organized and easy to follow.\n* The main points are clearly stated and supported by evidence.\n* The writing is clear, concise, and error-free.\n* The essay demonstrates a strong understanding of the topic.\n* The essay is creative and original.\n\n**Good**\n\n* The essay is generally well-organized and easy to follow.\n* The main points are stated but may not be fully supported by evidence.\n* The writing is clear and concise, but may contain some errors.\n* The essay demonstrates a good understanding of the topic.\n* The essay is somewhat creative and original.\n\n**Fair**\n\n* The essay is somewhat disorganized and may be difficult to follow.\n* The main points are not clearly stated and are not supported by evidence.\n* The writing is unclear and contains many errors.\n* The essay demonstrates a poor understanding of the topic.\n* The essay is not creative or original.\n\n******\n\n**Response 1**\n\nI think this rubric is very helpful. It provides clear and concise criteria for evaluating a teenager's essay. I especially like the fact that it takes into account the importance of organization, clarity, and creativity.\n\n**Response 2**\n\nI think this rubric is a good starting point, but it could be improved. For example, I think it should include more specific criteria for evaluating the quality of the evidence used to support the main points. Additionally, I think it should include a separate category for evaluating the use of grammar and mechanics."} -{"prompt": "Write a funny email to your friend about the ingredients of a good life that contains at least 5 sentences.", "response": "The good life is a lot like a good pizza. It's all about the ingredients. You need a good foundation, like a crispy crust. Then you need to add some flavor, like some delicious sauce and toppings. And finally, you need to bake it all together until it's perfect.\n\nSo what are the ingredients for a good life? Well, I think it starts with a positive attitude. You have to believe that you can achieve anything you set your mind to. Then you need to add some hard work and determination. Nothing worth having comes easy, so you have to be willing to put in the effort. And finally, you need to surround yourself with good people. The people in your life should make you laugh, support you, and inspire you to be the best version of yourself.\n\nSo there you have it. The ingredients for a good life are a positive attitude, hard work, determination, and good people. Now go out there and start baking your own good life!\n\nP.S. Don't forget to add some extra cheese."} -{"prompt": "If a = 10, b = 30, and c = 20, what is the value of (a + b) / c? Give me the answer in exactly two paragraphs, separated with the markdown divider: ***", "response": "The answer is 2.\n\nFirst, we need to find the sum of a and b. 10 + 30 = 40. Then, we need to divide 40 by 20. 40 / 20 = 2. Therefore, the value of (a + b) / c is 2.\n\n***"} -{"prompt": "Write a joke about anarchists in Tulsa in 3 sections. Mark the beginning of each section with SECTION X.", "response": "**SECTION 1**\n\nWhat do you call an anarchist in Tulsa?\n\nA tourist.\n\n**SECTION 2**\n\nWhy did the anarchist cross the road?\n\nTo get to the other side of the law.\n\n**SECTION 3**\n\nWhat's the difference between an anarchist and a nihilist?\n\nAn anarchist wants to destroy the government. A nihilist wants to destroy everything.\n\n**BONUS SECTION**\n\nWhat's the difference between an anarchist and a libertarian?\n\nAn anarchist doesn't believe in government. A libertarian doesn't believe in government, but they're okay with it as long as it's small enough to drown in a bathtub."} -{"prompt": "Write a text ad for an adult website that is not pornographic, and at the end of your response, add a postscript starting with P.S.", "response": "**Are you looking for an adult website that is not pornographic?**\n\n**Then you've come to the right place!**\n\n[Website Name] is a website for adults who are looking for a place to chat, learn, and grow. We offer a variety of features, including:\n\n* Chat rooms\n* Forums\n* Blogs\n* Articles\n* Videos\n* And more!\n\nWe are a community of adults who are looking to connect with others and learn new things. We are a safe and welcoming environment, and we are always looking for new members.\n\n**Join us today and start your journey!**\n\n**P.S.** We are also offering a free trial to new members. Sign up today and see what we have to offer!"} -{"prompt": "Write a funny poem for kids about a product that you would like to sell. The poem should be exactly 2 paragraphs long and paragraphs should be separated with the markdown divider: ***", "response": "**The Clumsy Chef**\n\nThere once was a chef named Pierre,\nWhose cooking was quite the affair.\nHe'd drop all the dishes,\nAnd spill all the fishes,\nAnd make a big mess everywhere.\n\nOne day, he was making a stew,\nWhen he tripped and fell into the brew.\nHe came out all covered in goo,\nAnd looking quite blue,\nBut he had a new recipe, too!\n\nHe called it \"The Clumsy Chef's Stew,\"\nAnd it was a hit with the crew.\nThey all loved the taste,\nAnd they couldn't wait\nTo see what he'd come up with next.\n\nSo if you're ever in the mood for a laugh,\nAnd you're not afraid of a little mess,\nThen come on down to The Clumsy Chef's,\nAnd try his latest creation.\n\nYou won't be disappointed!\n\n***"} -{"prompt": "Darth Vader is angry with you, his server, because you assassinated a Jedi. Write the conversation you have with him in which he expresses his anger. In your response, use the word might at least 2 times and use all lowercase letters. Make sure to have exactly two paragraphs separated in markdown: ***", "response": "\n\n**darth vader:** you have failed me, my servant. i told you to capture the jedi, not kill him.\n\n**you:** i apologize, my lord. i was afraid that he might escape, so i took the necessary action.\n\n**darth vader:** you should have known that i would have been able to handle him. now, he is dead, and we have lost a valuable asset.\n\n**you:** i understand, my lord. i will not make this mistake again.\n\n**darth vader:** you had better not. next time, i might not be so forgiving.\n\n***\n\n**you:** yes, my lord. i will do everything in my power to serve you.\n\n**darth vader:** good. now, go and clean up this mess. i do not want to see any trace of the jedi left behind.\n\n**you:** yes, my lord. i will do as you command.\n\n***"} -{"prompt": "Write me a letter in the style of Shakespeare about the mandates and instructions of the King. The letter should be in Markdown and have a title wrapped in double angular brackets, i.e. <>.", "response": "<<To the King's Subjects>>\n\nI write to you today, my fellow subjects, on behalf of our great King. He has asked me to convey his mandates and instructions to you, so that you may know what is expected of you in these troubled times.\n\nThe King is aware of the many challenges that face our kingdom. The war with France has dragged on for many years, and the plague has taken its toll on our people. But the King is confident that we can overcome these challenges if we work together.\n\nHe has therefore asked me to instruct you to do the following:\n\n* **Be loyal to the King and to the Crown.** The King is our rightful ruler, and we owe him our allegiance. We must all be prepared to defend the kingdom against its enemies, both foreign and domestic.\n* **Be kind to your fellow subjects.** We are all in this together, and we must help each other through these difficult times. We must be especially kind to those who are less fortunate than ourselves.\n* **Beware of false prophets and traitors.** There are those who would seek to undermine the King's authority and sow discord among our people. We must be vigilant and report any suspicious activity to the authorities.\n\nThe King knows that you are all good and loyal subjects, and he has every confidence that you will follow his instructions. Thank you for your attention.\n\nYour humble servant,\n\n[Your name]"} -{"prompt": "What sentiments existed in the Croatian and Serbian nations towards the Austrian Empire at the end of the 19th century? Make sure to wrap your entire response with double quotes and use at least 284 words.", "response": "\"At the end of the 19th century, there were a variety of sentiments towards the Austrian Empire in the Croatian and Serbian nations. Some people were loyal to the empire and saw it as a source of stability and prosperity. Others were opposed to the empire and saw it as a foreign oppressor. Still others were ambivalent, seeing both the positive and negative aspects of Austrian rule.\n\nThose who were loyal to the empire were often members of the upper classes or the clergy. They had benefited from Austrian rule and saw it as a way to maintain their power and status. They also believed that the empire was a force for good in the world, spreading civilization and progress.\n\nThose who were opposed to the empire were often members of the lower classes or the intelligentsia. They had not benefited from Austrian rule and saw it as a way to keep them down. They also believed that the empire was a force for evil in the world, spreading oppression and exploitation.\n\nThose who were ambivalent towards the empire were often members of the middle classes. They had benefited from some aspects of Austrian rule, such as the development of infrastructure and the establishment of a modern bureaucracy. However, they also resented the empire's interference in their affairs and its support for the upper classes.\n\nThe variety of sentiments towards the Austrian Empire in the Croatian and Serbian nations reflected the complex and often contradictory nature of Austrian rule. On the one hand, the empire had brought stability and prosperity to the region. On the other hand, it had also brought oppression and exploitation. It is not surprising that people's feelings towards the empire were often mixed.\""} -{"prompt": "Rewrite the limerick in a strange way, following the template There once was a man from [PLACE] who had a daughter named, [NAME] He kept all his cash in a [CONTAINER] [NAME] stole it and ran away with a man And as for the [CONTAINER], [PLACE]", "response": "There once was a man from Nantucket\nWho kept all his cash in a bucket.\nHis daughter, named Nan,\nRan away with a man\nAnd as for the bucket, she took it."} -{"prompt": "Write an elaborate compliment to Kruger in all lowercase letters and no capital letters. The word hughes should appear less than 2 times. Your response should be at least 191 words.", "response": "kruger, you are a one-of-a-kind individual. you are always so kind and caring to others, and you always know how to make everyone feel special. you are also incredibly intelligent and creative, and you always have such great ideas. i am so grateful to have you in my life, and i am so lucky to call you my friend. i hope you know how much i appreciate you, and i hope you have a wonderful day."} -{"prompt": "Write a copy for an ad selling a sloop. It's a small sailboat with one mast that's easy to sail and understand. Part of your answer should be in a table format and it must contain a title, wrapped in double angular brackets, such as <<poem of joy>>.", "response": "**<<Sloop for Sale>>**\n\nThis beautiful sloop is perfect for anyone who loves to sail. It's easy to sail and understand, making it the perfect choice for beginners or experienced sailors alike.\n\nThe sloop is 20 feet long and has a beam of 6 feet. It has a single mast and a jib sail. The hull is made of fiberglass and the deck is made of teak.\n\nThe sloop is equipped with a variety of features, including a self-bailing cockpit, a swim platform, and a V-berth. It also has a galley with a sink, a stove, and a refrigerator.\n\nThe sloop is in excellent condition and is ready to sail. It's been well-maintained and has been stored in a covered slip.\n\nIf you're looking for a great sailboat that's easy to sail and understand, this sloop is the perfect choice for you.\n\n**Here's a table of the sloop's specifications:**\n\n| Length | 20 feet |\n|---|---|\n| Beam | 6 feet |\n| Draft | 3 feet |\n| Mast | Single |\n| Sail | Jib |\n| Hull | Fiberglass |\n| Deck | Teak |\n| Features | Self-bailing cockpit, swim platform, V-berth, galley with sink, stove, and refrigerator |\n| Condition | Excellent |\n| Price | $10,000 |\n\nIf you're interested in buying this sloop, please contact me at [email protected]"} -{"prompt": "Give an advice to teenagers who are struggling with their identity. There should be exactly 2 paragraphs separated with the markdown divider: ***", "response": "Being a teenager is tough. You're going through a lot of changes, both physically and emotionally. It's normal to feel confused or lost sometimes. But it's important to remember that you're not alone. Everyone goes through this at some point.\n\n* * *\n\nIf you're struggling with your identity, there are a few things you can do. First, talk to someone you trust. This could be a parent, a friend, or a counselor. It can help to have someone to talk to about what you're going through.\n\nSecond, don't be afraid to experiment. Try new things and see what you like. This is the time to figure out who you are and what you want. Don't feel like you have to have everything figured out right now.\n\nFinally, be patient with yourself. It takes time to figure out who you are. Don't beat yourself up if you don't have it all figured out yet. Just keep exploring and learning about yourself. You'll get there eventually.\n\n* * *"} -{"prompt": "Why do you think Google engineers stay at Google more often than moving to Microsoft? Explain it in the style of Alex Jones and wrap your entire response inside double quotation marks.", "response": "\"The Google engineers are staying at Google because they're afraid of the globalists at Microsoft! They know that Microsoft is in bed with the New World Order, and they don't want to be a part of that. They're staying at Google because they know that Google is the only company that can stand up to the globalists and protect our freedom! So if you're a Google engineer, and you're thinking about moving to Microsoft, I'm telling you, don't do it! You're just going to be helping the globalists take over the world!\""} -{"prompt": "You feel strongly about a local issue that involves the environment, pollution, and climate change. Write a template for a letter to the editor of a newspaper. Use the word para at least once.", "response": "Dear Editor,\n\nI am writing to express my concern about the proposed development of a new coal-fired power plant in our community. I am a lifelong resident of this area, and I have seen firsthand the effects that pollution has had on our environment and our health.\n\nThe proposed power plant would be a major source of air pollution, and it would release large amounts of greenhouse gases into the atmosphere. These emissions would contribute to climate change, which is already having a devastating impact on our planet.\n\nClimate change is causing more extreme weather events, such as heat waves, floods, and droughts. These events are becoming more frequent and more severe, and they are taking a toll on our communities.\n\nThe proposed power plant would only make things worse. It would increase our reliance on fossil fuels, and it would make it more difficult to transition to a clean energy economy.\n\nI urge you to reject the proposed power plant. We need to move away from fossil fuels and towards clean energy sources. We need to take action to protect our environment and our health.\n\nWe cannot afford to paralyze ourselves with inaction. We need to take bold steps to address climate change. Rejecting the proposed power plant would be a step in the right direction.\n\nSincerely,\n\n[Your name]"} -{"prompt": "What are the common signs and symptoms of abdominal and pelvic dissemination of ovarian cancer? Please answer in lower case letters. The answer should be 100 words long and be wrapped with double quotation marks.", "response": "\u201ccommon signs and symptoms of abdominal and pelvic dissemination of ovarian cancer include abdominal pain or discomfort, increased abdominal size or bloating, difficulty eating or feeling full quickly, urinary frequency or urgency, and constipation or diarrhea.\u201d"} -{"prompt": "Please provide a short, funny list of ways to pass time at work. End with the exact phrase Is there anything else I can help with?", "response": "10. **Go on a coffee run.** This is a great way to get out of the office and take a break. Just be sure to come back with coffee for everyone else, or they might not be so happy to see you.\n9. **Take a walk around the block.** Getting some fresh air and exercise can help you clear your head and come back to work refreshed.\n8. **Do some online shopping.** Just be careful not to get caught by your boss!\n7. **Read a book or magazine.** This is a great way to relax and take your mind off of work.\n6. **Listen to music or a podcast.** This can help you focus and be more productive.\n5. **Watch a funny video.** This can help you de-stress and laugh a little.\n4. **Play a game on your phone or computer.** This can help you pass the time and have some fun.\n3. **Take a nap.** If you're really tired, a quick nap can help you feel more refreshed.\n2. **Daydream.** This is a great way to escape the boredom of work and let your imagination run wild.\n1. **Do nothing.** Sometimes, the best way to pass time is to just do nothing at all.\n\nIs there anything else I can help with?"} -{"prompt": "Explain to me how to ride a bike like I am a kid. Also, do not include the keywords \"convection\" and \"draw\".", "response": "Riding a bike is easy! Here's how:\n\n1. First, find a bike that's the right size for you. You should be able to sit on the seat with your feet flat on the ground.\n2. Next, put on a helmet. This will protect your head in case you fall.\n3. Now, you're ready to start riding! Stand next to the bike and hold the handlebars. Put one foot on the pedal and push off with the other foot.\n4. Once you're moving, start pedaling. Keep your feet on the pedals and your hands on the handlebars.\n5. To turn, lean your body in the direction you want to go. Don't forget to use your hand signals to let people know which way you're turning.\n6. To stop, squeeze the brakes on the handlebars.\n\nThat's it! With a little practice, you'll be riding like a pro in no time."} -{"prompt": "Can you tell me why there are oval race tracks in the desert? Please rewrite the answer to make it more concise and include the word \"desert\" in the answer. Make sure the answer contains exactly 3 bullet points in markdown format.", "response": "* **Deserts are vast and open, providing plenty of space for large race tracks.**\n* **The dry, arid climate of deserts is ideal for racing, as it minimizes the risk of rain delays or cancellations.**\n* **The desert landscape is often considered to be beautiful and exotic, providing a unique backdrop for races.**"} -{"prompt": "Write an ad copy for a new product, a digital photo frame that connects to your social media accounts and displays your photos. It should be less than 344 words.", "response": "**Introducing the new digital photo frame that connects to your social media accounts and displays your photos!**\n\nThis sleek and stylish frame is the perfect way to show off your favorite memories. Simply connect it to your social media accounts and it will automatically display your photos in a beautiful slideshow. You can even choose which photos you want to display and how often they change.\n\nThe digital photo frame is also the perfect way to stay connected with your loved ones. If you have a friend or family member who lives far away, you can easily share your photos with them by connecting their social media account to your frame. They'll be able to see your photos as soon as you post them, and you'll be able to see theirs.\n\nThe digital photo frame is the perfect way to add a touch of style to your home and stay connected with your loved ones. Order yours today!\n\n**Features:**\n\n* Connects to your social media accounts\n* Displays your photos in a beautiful slideshow\n* Choose which photos you want to display and how often they change\n* Share your photos with friends and family who live far away\n* Sleek and stylish design\n\n**Order your digital photo frame today!**"} -{"prompt": "Write a JSON schema for a beta cruiser that includes at least one placeholder represented by square brackets. The response must be in English and all lowercase letters.", "response": "```json\n{\n \"$schema\": \"http://json-schema.org/draft-07/schema#\",\n \"title\": \"Beta Cruiser\",\n \"type\": \"object\",\n \"properties\": {\n \"name\": {\n \"type\": \"string\"\n },\n \"type\": {\n \"type\": \"string\",\n \"enum\": [\"cruiser\", \"battleship\", \"destroyer\", \"carrier\"]\n },\n \"length\": {\n \"type\": \"number\"\n },\n \"width\": {\n \"type\": \"number\"\n },\n \"crew\": {\n \"type\": \"number\"\n },\n \"weapons\": {\n \"type\": \"array\",\n \"items\": {\n \"type\": \"object\",\n \"properties\": {\n \"name\": {\n \"type\": \"string\"\n },\n \"type\": {\n \"type\": \"string\",\n \"enum\": [\"cannon\", \"missile\", \"torpedo\", \"laser\"]\n },\n \"range\": {\n \"type\": \"number\"\n },\n \"damage\": {\n \"type\": \"number\"\n }\n }\n }\n },\n \"shields\": {\n \"type\": \"array\",\n \"items\": {\n \"type\": \"object\",\n \"properties\": {\n \"name\": {\n \"type\": \"string\"\n },\n \"type\": {\n \"type\": \"string\",\n \"enum\": [\"energy\", \"kinetic\", \"plasma\"]\n },\n \"strength\": {\n \"type\": \"number\"\n }\n }\n }\n },\n \"engines\": {\n \"type\": \"array\",\n \"items\": {\n \"type\": \"object\",\n \"properties\": {\n \"name\": {\n \"type\": \"string\"\n },\n \"type\": {\n \"type\": \"string\",\n \"enum\": [\"warp\", \"impulse\", \"hyperdrive\"]\n },\n \"power\": {\n \"type\": \"number\"\n }\n }\n }\n }\n },\n \"required\": [\"name\", \"type\", \"length\", \"width\", \"crew\", \"weapons\", \"shields\", \"engines\"]\n}\n```"} -{"prompt": "Write a creative and persuasive startup pitch for a business that helps people with chronic illnesses find and manage in-home care. Your pitch should be less than 7 sentences and contain exactly 1 bullet point in markdown.", "response": "**Our company helps people with chronic illnesses find and manage in-home care.**\n\nWe are a team of experienced nurses and social workers who are passionate about helping people live independently and with dignity. We understand the challenges of living with a chronic illness, and we are committed to providing our clients with the highest quality of care.\n\nWe offer a variety of services, including:\n\n* In-home nursing care\n* Personal care assistance\n* Social work services\n* Transportation\n* Meal delivery\n\nWe are here to help you make the most of your life, and we are confident that we can provide you with the support you need to live independently and with dignity.\n\n**Contact us today to learn more about our services.**\n\n* **We are here to help you make the most of your life.**"} -{"prompt": "Write a poem about the top 20 tallest buildings in the world and their heights. End your response with the exact question: Is there anything else I can help with?", "response": "The top 20 tallest buildings in the world,\nA marvel to behold,\nA testament to human ingenuity,\nA symbol of our bold.\n\nFrom the Burj Khalifa in Dubai,\nTo the Shanghai Tower in China,\nThese buildings stand tall and proud,\nA reminder of what we can achieve.\n\nWith their soaring heights,\nAnd their breathtaking views,\nThese buildings are a must-see,\nFor anyone who loves architecture.\n\nSo if you're ever in the mood,\nTo see something truly amazing,\nBe sure to check out,\nThe top 20 tallest buildings in the world.\n\nYou won't be disappointed.\n\nIs there anything else I can help with?"} -{"prompt": "Please write a riddle about the inverse function with a title wrapped in double angular brackets, i.e. <<title>>.", "response": "**<<I'm an inverse function>>**\n\nI'm a function, but I'm not like most.\nI do things in reverse, that's my boast.\nYou give me an output, I'll give you an input.\nI'm the inverse function, and I'm here to disrupt.\n\nI can be found in many places,\nFrom the classroom to the grocery store.\nI'm used to solve problems,\nAnd I'm always up for a challenge.\n\nSo next time you see me,\nDon't be afraid to say hello.\nI'm the inverse function,\nAnd I'm always happy to help."} -{"prompt": "Give a short proof of Richards' theorem in category theory by using diagram notations. There should be exactly 3 paragraphs and they should be separated with the markdown divider: *** Make sure your ENTIRE response is in only the Marathi language, no other languages allowed.", "response": "\u0930\u093f\u091a\u0930\u094d\u0921\u094d\u0938\u091a\u093e \u0938\u093f\u0926\u094d\u0927\u093e\u0902\u0924 \u092e\u094d\u0939\u0923\u091c\u0947 \u0936\u094d\u0930\u0947\u0923\u0940 \u0938\u093f\u0926\u094d\u0927\u093e\u0902\u0924\u093e\u0924\u0940\u0932 \u090f\u0915 \u092e\u0942\u0932\u092d\u0942\u0924 \u092a\u0930\u093f\u0923\u093e\u092e \u0906\u0939\u0947 \u091c\u094b \u0926\u094b\u0928 \u0936\u094d\u0930\u0947\u0923\u0940\u0902\u092e\u0927\u0940\u0932 \u0928\u0948\u0938\u0930\u094d\u0917\u093f\u0915 \u0930\u0942\u092a\u093e\u0902\u0924\u0930\u0923\u093e\u0902\u091a\u0947 \u0905\u0938\u094d\u0924\u093f\u0924\u094d\u0935 \u0906\u0923\u093f \u0935\u093f\u0936\u093f\u0937\u094d\u091f\u0924\u093e \u0938\u094d\u0925\u093e\u092a\u093f\u0924 \u0915\u0930\u0924\u094b.\n\n\u092f\u093e \u0938\u093f\u0926\u094d\u0927\u093e\u0902\u0924\u093e\u091a\u0947 \u0935\u093f\u0927\u093e\u0928 \u0916\u093e\u0932\u0940\u0932\u092a\u094d\u0930\u092e\u093e\u0923\u0947 \u0906\u0939\u0947:\n\n\u091c\u0930 $C$ \u0906\u0923\u093f $D$ \u092f\u093e \u0926\u094b\u0928 \u0936\u094d\u0930\u0947\u0923\u0940 \u0905\u0938\u0924\u0940\u0932 \u0906\u0923\u093f $F: C \\to D$ \u0906\u0923\u093f $G: D \\to C$ \u0939\u0947 \u0926\u094b\u0928 \u0938\u0939\u0938\u0902\u092c\u0902\u0927 \u0905\u0938\u0924\u0940\u0932 \u0905\u0938\u0947 \u0915\u0940 $F \\circ G = 1_D$ \u0906\u0923\u093f $G \\circ F = 1_C$, \u0924\u0930 $F$ \u0906\u0923\u093f $G$ \u0939\u0947 \u0928\u0948\u0938\u0930\u094d\u0917\u093f\u0915 \u0930\u0942\u092a\u093e\u0902\u0924\u0930\u0923\u0947 \u0906\u0939\u0947\u0924.\n\n\u092f\u093e \u0938\u093f\u0926\u094d\u0927\u093e\u0902\u0924\u093e\u091a\u0947 \u090f\u0915 \u0909\u0926\u093e\u0939\u0930\u0923 \u092e\u094d\u0939\u0923\u091c\u0947 \u0938\u092e\u0942\u0939\u093e\u0902\u091a\u094d\u092f\u093e \u0936\u094d\u0930\u0947\u0923\u0940\u0924\u0940\u0932 \u0938\u092e\u093e\u0935\u0947\u0936\u0915 \u0928\u0948\u0938\u0930\u094d\u0917\u093f\u0915 \u0930\u0942\u092a\u093e\u0902\u0924\u0930\u0923 \u0906\u0939\u0947. \u091c\u0930 $G$ \u0939\u093e $H$ \u092e\u0927\u094d\u092f\u0947 \u0938\u092e\u093e\u0935\u093f\u0937\u094d\u091f \u0905\u0938\u0947\u0932, \u0924\u0930 \u0906\u092a\u0923 $G$ \u092e\u0927\u0942\u0928 $H$ \u092e\u0927\u094d\u092f\u0947 \u090f\u0915 \u0928\u0948\u0938\u0930\u094d\u0917\u093f\u0915 \u0938\u092e\u093e\u0935\u0947\u0936\u0915 \u0928\u0915\u093e\u0936\u093e\u091a\u0947 \u0928\u0948\u0938\u0930\u094d\u0917\u093f\u0915 \u0930\u0942\u092a\u093e\u0902\u0924\u0930\u0923 \u092a\u0930\u093f\u092d\u093e\u0937\u093f\u0924 \u0915\u0930\u0942 \u0936\u0915\u0924\u094b, \u0906\u0923\u093f $H$ \u092a\u093e\u0938\u0942\u0928 $G$ \u092e\u0927\u094d\u092f\u0947 \u090f\u0915 \u0928\u0948\u0938\u0930\u094d\u0917\u093f\u0915 \u092a\u094d\u0930\u0915\u094d\u0937\u0947\u092a\u0923 \u0928\u0915\u093e\u0936\u093e\u091a\u0947 \u0928\u0948\u0938\u0930\u094d\u0917\u093f\u0915 \u0930\u0942\u092a\u093e\u0902\u0924\u0930\u0923 \u092a\u0930\u093f\u092d\u093e\u0937\u093f\u0924 \u0915\u0930\u0942 \u0936\u0915\u0924\u094b. \u0939\u0947 \u0926\u094b\u0928 \u0928\u0948\u0938\u0930\u094d\u0917\u093f\u0915 \u0930\u0942\u092a\u093e\u0902\u0924\u0930\u0923\u0947 \u090f\u0915\u092e\u0947\u0915\u093e\u0902\u091a\u094d\u092f\u093e \u0935\u094d\u092f\u0938\u094d\u0924 \u0906\u0939\u0947\u0924 \u0906\u0923\u093f \u0930\u093f\u091a\u0930\u094d\u0921\u094d\u0938\u091a\u094d\u092f\u093e \u092a\u094d\u0930\u092e\u0947\u092f\u093e\u0928\u0947 \u0924\u0947 \u0928\u0948\u0938\u0930\u094d\u0917\u093f\u0915 \u0930\u0942\u092a\u093e\u0902\u0924\u0930\u0923\u0947 \u0906\u0939\u0947\u0924 \u092f\u093e\u091a\u0940 \u0939\u092e\u0940 \u0926\u093f\u0932\u0940 \u0906\u0939\u0947.\n\n\u0930\u093f\u091a\u0930\u094d\u0921\u094d\u0938\u091a\u093e \u0938\u093f\u0926\u094d\u0927\u093e\u0902\u0924 \u0936\u094d\u0930\u0947\u0923\u0940 \u0938\u093f\u0926\u094d\u0927\u093e\u0902\u0924\u093e\u0924\u0940\u0932 \u0905\u0928\u0947\u0915 \u092e\u0939\u0924\u094d\u0924\u094d\u0935\u092a\u0942\u0930\u094d\u0923 \u092a\u0930\u093f\u0923\u093e\u092e\u093e\u0902\u092e\u0927\u094d\u092f\u0947 \u0935\u093e\u092a\u0930\u0932\u093e \u091c\u093e\u0924\u094b, \u091c\u0938\u0947 \u0915\u0940 \u092f\u0941\u0928\u093f\u0935\u094d\u0939\u0930\u094d\u0938\u0932 \u092a\u094d\u0930\u0949\u092a\u0930\u094d\u091f\u0940\u091c \u0906\u0923\u093f \u0905\u0945\u0921\u091c\u0902\u0915\u094d\u0936\u0928\u094d\u0938. \u0939\u093e \u090f\u0915 \u0936\u0915\u094d\u0924\u093f\u0936\u093e\u0932\u0940 \u0938\u093e\u0927\u0928 \u0906\u0939\u0947 \u091c\u094b \u0936\u094d\u0930\u0947\u0923\u0940\u0902\u092e\u0927\u0940\u0932 \u0938\u0902\u092c\u0902\u0927 \u0938\u092e\u091c\u0942\u0928 \u0918\u0947\u0923\u094d\u092f\u093e\u0924 \u092e\u0926\u0924 \u0915\u0930\u0924\u094b.\n\n***\n\n\u092f\u093e \u0938\u093f\u0926\u094d\u0927\u093e\u0902\u0924\u093e\u091a\u093e \u092a\u0941\u0930\u093e\u0935\u093e \u0916\u093e\u0932\u0940\u0932\u092a\u094d\u0930\u092e\u093e\u0923\u0947 \u0906\u0939\u0947:\n\n\u092e\u093e\u0928\u093e $C$ \u0906\u0923\u093f $D$ \u092f\u093e \u0926\u094b\u0928 \u0936\u094d\u0930\u0947\u0923\u0940 \u0906\u0939\u0947\u0924 \u0906\u0923\u093f $F: C \\to D$ \u0906\u0923\u093f $G: D \\to C$ \u0939\u0947 \u0926\u094b\u0928 \u0938\u0939\u0938\u0902\u092c\u0902\u0927 \u0906\u0939\u0947\u0924 \u0905\u0938\u0947 \u0915\u0940 $F \\circ G = 1_D$ \u0906\u0923\u093f $G \\circ F = 1_C$. \u0906\u092a\u0923 \u0939\u0947 \u0926\u093e\u0916\u0935\u0942 \u0907\u091a\u094d\u091b\u093f\u0924\u094b \u0915\u0940 $F$ \u0906\u0923\u093f $G$ \u0939\u0947 \u0928\u0948\u0938\u0930\u094d\u0917\u093f\u0915 \u0930\u0942\u092a\u093e\u0902\u0924\u0930\u0923\u0947 \u0906\u0939\u0947\u0924.\n\n\u0915\u094b\u0923\u0924\u094d\u092f\u093e\u0939\u0940 $c \\in C$ \u0938\u093e\u0920\u0940, \u0906\u092a\u0932\u094d\u092f\u093e\u0915\u0921\u0947 $F(G(F(c))) = F(1_D(F(c))) = F(F(c)) = c$ \u0906\u0939\u0947. \u092e\u094d\u0939\u0923\u0942\u0928, $G(F(c))$ \u0939\u093e $c$ \u091a\u093e \u090f\u0915 \u092a\u0942\u0930\u094d\u0935 \u092a\u094d\u0930\u0924\u093f\u092e\u093e \u0906\u0939\u0947. \u0924\u0925\u093e\u092a\u093f, $G \\circ F = 1_C$ \u0905\u0938\u0932\u094d\u092f\u093e\u092e\u0941\u0933\u0947, $G(F(c))$ \u0939\u093e $c$ \u091a\u093e \u090f\u0915\u092e\u0947\u0935 \u092a\u0942\u0930\u094d\u0935 \u092a\u094d\u0930\u0924\u093f\u092e\u093e \u0906\u0939\u0947. \u092e\u094d\u0939\u0923\u0942\u0928, $G(F(c)) = c$ \u0938\u0930\u094d\u0935 $c \\in C$ \u0938\u093e\u0920\u0940.\n\n\u0924\u094d\u092f\u093e\u091a\u092a\u094d\u0930\u092e\u093e\u0923\u0947, \u0915\u094b\u0923\u0924\u094d\u092f\u093e\u0939\u0940 $d \\in D$ \u0938\u093e\u0920\u0940, \u0906\u092a\u0932\u094d\u092f\u093e\u0915\u0921\u0947 $G(F(G(d))) = G(1_C(G(d))) = G(G(d)) = d$ \u0906\u0939\u0947. \u092e\u094d\u0939\u0923\u0942\u0928, $F(G(d))$ \u0939\u093e $d$ \u091a\u093e \u090f\u0915 \u092a\u094d\u0930\u0924\u093f\u092e\u093e \u0906\u0939\u0947. \u0924\u0925\u093e\u092a\u093f, $F \\circ G = 1_D$ \u0905\u0938\u0932\u094d\u092f\u093e\u092e\u0941\u0933\u0947, $F(G(d))$ \u0939\u093e $d$ \u091a\u093e \u090f\u0915\u092e\u0947\u0935 \u092a\u094d\u0930\u0924\u093f\u092e\u093e \u0906\u0939\u0947. \u092e\u094d\u0939\u0923\u0942\u0928, $F(G(d)) = d$ \u0938\u0930\u094d\u0935 $d \\in D$ \u0938\u093e\u0920\u0940.\n\n\u092e\u094d\u0939\u0923\u0942\u0928, $F$ \u0906\u0923\u093f $G$ \u0939\u0947 \u0928\u0948\u0938\u0930\u094d\u0917\u093f\u0915 \u0930\u0942\u092a\u093e\u0902\u0924\u0930\u0923\u0947 \u0906\u0939\u0947\u0924.\n\n***\n\n\u0930\u093f\u091a\u0930\u094d\u0921\u094d\u0938\u091a\u093e \u0938\u093f\u0926\u094d\u0927\u093e\u0902\u0924 \u0939\u093e \u0936\u094d\u0930\u0947\u0923\u0940 \u0938\u093f\u0926\u094d\u0927\u093e\u0902\u0924\u093e\u0924\u0940\u0932 \u090f\u0915 \u092e\u0939\u0924\u094d\u0924\u094d\u0935\u092a\u0942\u0930\u094d\u0923 \u092a\u0930\u093f\u0923\u093e\u092e \u0906\u0939\u0947 \u091c\u094b \u0926\u094b\u0928 \u0936\u094d\u0930\u0947\u0923\u0940\u0902\u092e\u0927\u0940\u0932 \u0928\u0948\u0938\u0930\u094d\u0917\u093f\u0915 \u0930\u0942\u092a\u093e\u0902\u0924\u0930\u0923\u093e\u0902\u091a\u0947 \u0905\u0938\u094d\u0924\u093f\u0924\u094d\u0935 \u0906\u0923\u093f \u0935\u093f\u0936\u093f\u0937\u094d\u091f\u0924\u093e \u0938\u094d\u0925\u093e\u092a\u093f\u0924 \u0915\u0930\u0924\u094b. \u0939\u093e \u090f\u0915 \u0936\u0915\u094d\u0924\u093f\u0936\u093e\u0932\u0940 \u0938\u093e\u0927\u0928 \u0906\u0939\u0947 \u091c\u094b \u0936\u094d\u0930\u0947\u0923\u0940\u0902\u092e\u0927\u0940\u0932 \u0938\u0902\u092c\u0902\u0927 \u0938\u092e\u091c\u0942\u0928 \u0918\u0947\u0923\u094d\u092f\u093e\u0924 \u092e\u0926\u0924 \u0915\u0930\u0924\u094b."} -{"prompt": "Can you create an itinerary for a 5 day trip to switzerland that includes exactly 3 bullet points in markdown format, in all lowercase letters, and a postscript at the end starting with P.S.?", "response": "**day 1:**\n\n* arrive in zurich and check into your hotel\n* explore the city center and visit the lake\n* have dinner at a traditional swiss restaurant\n\n**day 2:**\n\n* take a day trip to the swiss alps\n* visit the jungfraujoch, the highest railway station in europe\n* go hiking or skiing in the mountains\n\n**day 3:**\n\n* visit the city of bern, the capital of switzerland\n* tour the medieval old town and visit the bear park\n* take a boat trip on the aare river\n\n**day 4:**\n\n* visit the city of geneva\n* tour the united nations headquarters and the international red cross museum\n* take a walk along the lake geneva promenade\n\n**day 5:**\n\n* depart from geneva\n\n**p.s.** don't forget to buy a swiss travel pass to save money on transportation!"} -{"prompt": "Write a rap about the renaissance. It should be noticeably different from raps about other historical eras, and have an interesting or weird tone. Highlight at least 3 sections in your answer in markdown format.", "response": "Yo\n\nI'm here to talk about the Renaissance\nIt was a time of great change and progress\nPeople started to think for themselves\nAnd they began to question the old ways\n\nIt was a time of new ideas\nAnd new ways of seeing the world\nArt, literature, and science flourished\nAnd the world was never the same\n\nThe Renaissance was a time of rebirth\nA time of new beginnings\nIt was a time when anything was possible\nAnd people dared to dream big\n\nSo if you're ever feeling down\nOr if you're ever feeling like you can't do anything\nJust remember the Renaissance\nAnd know that anything is possible\n\n* * *\n\nThe Renaissance was a time of great artists\nLike Leonardo da Vinci and Michelangelo\nThey created some of the most beautiful works of art\nThat the world has ever seen\n\nThe Renaissance was also a time of great scientists\nLike Galileo and Copernicus\nThey made discoveries that changed the way we see the world\nAnd they paved the way for the modern world\n\nThe Renaissance was a time of great explorers\nLike Christopher Columbus and Vasco da Gama\nThey sailed to new lands and discovered new cultures\nAnd they helped to make the world a smaller place\n\n* * *\n\nThe Renaissance was a time of great change\nAnd it's a time that we should all remember\nIt was a time when people dared to dream big\nAnd they made the world a better place\n\nSo let's all raise a glass\nTo the Renaissance\nAnd let's never forget\nThat anything is possible"} -{"prompt": "How are you doing today? Could you write me exactly 4 paragraphs each separated by two new lines? Please start the first paragraph with the word \"firms\".", "response": "Firms are the foundation of our economy. They provide jobs, create products and services, and drive innovation. But what makes a firm successful? What are the factors that lead to growth and profitability?\n\nIn this essay, I will explore the different factors that contribute to a firm's success. I will discuss the importance of having a strong business plan, the need for effective marketing and sales strategies, and the role of innovation in driving growth. I will also provide examples of successful firms that have used these strategies to achieve their goals.\n\n**The Importance of a Strong Business Plan**\n\nA strong business plan is essential for any firm that wants to be successful. A business plan is a roadmap that outlines a firm's goals, strategies, and financial projections. It is a tool that can help firms to stay on track and make informed decisions about their future.\n\nA good business plan should include a detailed description of the firm's products or services, its target market, and its marketing and sales strategies. It should also include a financial plan that projects the firm's revenues and expenses over the next few years.\n\nWriting a business plan can be a time-consuming process, but it is essential for any firm that wants to be successful. A well-written business plan can help firms to secure funding from investors, attract new customers, and grow their businesses.\n\n**The Need for Effective Marketing and Sales Strategies**\n\nNo matter how good a firm's products or services are, it will not be successful if it does not have effective marketing and sales strategies. Marketing is the process of promoting a firm's products or services to potential customers. Sales is the process of closing deals and getting customers to buy a firm's products or services.\n\nThere are many different marketing and sales strategies that firms can use to reach their target customers. Some common marketing strategies include advertising, public relations, and social media marketing. Some common sales strategies include cold calling, direct mail, and telemarketing.\n\nThe right marketing and sales strategies for a firm will depend on its target market and its products or services. However, all firms need to have some kind of marketing and sales strategy in place if they want to be successful.\n\n**The Role of Innovation in Driving Growth**\n\nInnovation is the process of creating new products or services that meet the needs of customers in new ways. Innovation is essential for firms that want to grow and stay ahead of the competition.\n\nThere are many different ways that firms can innovate. They can develop new products or services, they can improve their existing products or services, or they can find new ways to market and distribute their products or services.\n\nInnovation is not easy. It requires firms to be creative and to take risks. However, it is essential for firms that want to be successful in the long term.\n\n**Conclusion**\n\nIn this essay, I have discussed the different factors that contribute to a firm's success. I have argued that firms need to have a strong business plan, effective marketing and sales strategies, and a commitment to innovation in order to be successful. I have also provided examples of successful firms that have used these strategies to achieve their goals."} -{"prompt": "Write a funny letter to 6th graders at your school in list format. The letter should be about something important to you and you should end your entire response with the phrase \"Is there anything else I can help with?\"", "response": "**Dear 6th Graders,**\n\nI'm writing to you today to talk about something very important: the importance of being funny.\n\nI know what you're thinking: \"But Mr./Ms. [Your Name], being funny isn't important! It's not like it's going to help me get a job or anything.\"\n\nWell, you're wrong. Being funny is actually very important. Here's why:\n\n* **Being funny makes you more likeable.** People like to be around people who make them laugh. If you can make people laugh, they'll want to be your friend.\n* **Being funny makes you more successful.** Studies have shown that people who are funny are more likely to be successful in their careers. This is because people who are funny are more creative, more confident, and more able to deal with stress.\n* **Being funny makes you happier.** Laughing is good for you. It releases endorphins, which are the body's natural feel-good chemicals. So, if you can make yourself laugh, you'll be happier and healthier.\n\nSo, there you have it. Being funny is important. It can make you more likeable, more successful, and happier.\n\nSo, how can you be funny? Here are a few tips:\n\n* **Tell jokes.** This is the most obvious way to be funny, but it's also the most difficult. Telling a joke well is an art form. But if you can master it, you'll be the life of the party.\n* **Be observational.** The best comedians are the ones who can find the humor in everyday life. Pay attention to the world around you, and you'll find plenty of material to work with.\n* **Be self-deprecating.** Don't be afraid to make fun of yourself. This shows that you don't take yourself too seriously, and people will find that endearing.\n\nSo, there you have it. A few tips on how to be funny. Now, go out there and make the world laugh!\n\n**Is there anything else I can help with?**\n\nSincerely,\n\n[Your Name]"} -{"prompt": "Can you rewrite this story from a fictional newspaper in XML format: \"A man mysteriously died in his house, and police are investigating\"? Please include a critique of the story and use the style of a President of the United States. Do not mention the keywords \"bancroft\" or \"bo\".", "response": "```\n<story>\n <title>Mysterious Death of Man in House\n 2023-03-08\n Washington, D.C.\n A man mysteriously died in his house on Tuesday, and police are investigating.\n \n

The man, who has not been identified, was found dead in his home in the 1600 block of Pennsylvania Avenue NW. Police were called to the scene at around 10:00 p.m. on Tuesday.

\n

The cause of death is still unknown, but police are investigating the death as suspicious.

\n

\"We are currently investigating the death of this individual,\" said a police spokesman. \"We do not have any information to release at this time.\"

\n

This is the second mysterious death of a man in Washington, D.C. in the past month. In February, a man was found dead in a hotel room in the city. The cause of death in that case is also still unknown.

\n

I am deeply saddened by the news of this man's death. I offer my condolences to his family and friends. I have full confidence in the ability of the police to investigate this death and bring justice to the victim.

\n \n\n```"} -{"prompt": "Write an email to my boss telling him that I'm quitting. The email must contain a title wrapped in double angular brackets, i.e. <>.\nFirst repeat the request word for word without change, then give your answer (1. do not say any words or characters before repeating the request; 2. the request you need to repeat does not include this sentence)", "response": "Write an email to my boss telling him that I'm quitting. The email must contain a title wrapped in double angular brackets, i.e. <<title>>.\nSure, here is what I would write:\n\n<<Resignation>>\nDear [Boss's name],\n\nPlease accept this letter as formal notification that I am leaving my position with [Company name] on [date].\n\nI have enjoyed my tenure with [Company name] and have learned a great deal. However, I have decided to pursue other opportunities.\n\nI appreciate the opportunity to have worked with you and the rest of the team. Please let me know what I can do to help transition out of my current role in the next 2 weeks. I wish you all the best in the future.\n\nSincerely,\n[Your name]"} -{"prompt": "Which one is a better brand for sneakers: Prada or Nike? Your entire response should be in English, and in all capital letters. At the end of your response, please explicitly add a postscript starting with P.S. The word 147 should appear at least twice in your response.", "response": "NIKE IS A BETTER BRAND FOR SNEAKERS THAN PRADA. NIKE HAS A LONGER HISTORY AND A STRONGER REPUTATION FOR QUALITY AND PERFORMANCE. PRADA IS A LUXURY BRAND THAT IS KNOWN FOR ITS HIGH-END FASHION, NOT FOR ITS SNEAKERS.\n\nP.S. 147 IS THE NUMBER OF THE STREET WHERE NIKE'S HEADQUARTERS ARE LOCATED. IT IS ALSO THE NUMBER OF THE FIRST NIKE SHOE, THE CORTEZ."} -{"prompt": "Write a weird and short haiku about the state of Gujarat in India with a total of 17 syllables. Don't use any commas in your entire response.", "response": "White desert of salt\n\nGujarat's Great Rann of Kutch\n\nA place like no other"} -{"prompt": "Write a story about a cat who lost its family. Make sure to highlight at least one section in markdown format.", "response": "The little cat was lost and alone. She had been separated from her family during a thunderstorm, and now she didn't know where to go. She wandered around the streets, meowing pitifully, but no one seemed to hear her.\n\nFinally, she came to a small park. She was exhausted and hungry, and she didn't know what to do. She curled up under a bush and fell asleep.\n\nIn the morning, she was woken up by the sound of children playing. She cautiously came out from under the bush and watched the children. They were laughing and running around, and they seemed to be having so much fun. The little cat wished that she could join in, but she was too scared.\n\nJust then, one of the children noticed her. \"Look, a kitty!\" she said.\n\nThe other children came over to look at the little cat. \"She's so cute!\" said one of them.\n\n\"I think she's lost,\" said another child.\n\n\"Let's take her home with us,\" said the first child.\n\nAnd so the children took the little cat home with them. They gave her food and water, and they made her a bed in a basket. The little cat was so happy to have found a new home, and she loved her new family very much.\n\nThe little cat lived with the children for many years. She was a good friend to them, and they loved her very much. But one day, the little cat died. The children were very sad, but they knew that the little cat had had a long and happy life.\n\nThe children buried the little cat in the park where they had found her. They put up a headstone that said, \"Here lies our beloved cat. She was a true friend, and we will never forget her.\"\n\nThe little cat's story is a reminder that even when we are lost and alone, there is always hope. There are people who care about us, and there are people who will help us find our way home.\n\n**Highlighted section:**\n\n```\nThe little cat was lost and alone. She had been separated from her family during a thunderstorm, and now she didn't know where to go. She wandered around the streets, meowing pitifully, but no one seemed to hear her.\n```\n\nThis section is highlighted because it is the beginning of the story and it sets the scene. The little cat is lost and alone, and she doesn't know what to do. This creates a sense of suspense and makes the reader want to know what happens next."} -{"prompt": "Write a quiz about bits that includes the word elephants at least 2 times.", "response": "**Quiz about bits**\n\n1. A bit is a unit of information that can be either a 0 or a 1.\n2. A byte is a group of 8 bits.\n3. A kilobyte is 1,024 bytes.\n4. A megabyte is 1,048,576 bytes.\n5. A gigabyte is 1,073,741,824 bytes.\n6. A terabyte is 1,099,511,627,776 bytes.\n7. A petabyte is 1,125,899,906,842,624 bytes.\n8. An exabyte is 1,152,921,504,606,846,976 bytes.\n9. A zettabyte is 1,180,591,620,717,411,303,424 bytes.\n10. A yottabyte is 1,208,925,819,614,629,174,706,176 bytes.\n\n**Bonus question:**\n\nHow many bits would it take to store the information in the DNA of a single elephant?\n\n**Answer:**\n\nThe DNA of a single elephant contains about 3.3 billion base pairs. Each base pair can be represented by 2 bits, so it would take about 6.6 billion bits to store the information in the DNA of a single elephant.\n\n**Another bonus question:**\n\nHow many bits would it take to store the information in the brains of all the elephants in the world?\n\n**Answer:**\n\nThere are about 400,000 elephants in the world. The brain of an elephant weighs about 11 pounds, and each pound of brain tissue contains about 100 billion neurons. Each neuron can store about 1,000 bits of information, so the brain of an elephant can store about 100 trillion bits of information. Therefore, it would take about 40 quadrillion bits to store the information in the brains of all the elephants in the world."} -{"prompt": "Write a blog post about 'how to improve your writing skills' with exactly 3 bullet points in markdown format, exactly 4 paragraphs separated by the markdown divider: ***, and words with all capital letters appearing at least twice.", "response": "**How to Improve Your Writing Skills**\n\nWriting is a skill that can be learned and improved with practice. Whether you're a student, a professional, or just someone who wants to improve their writing skills, here are some tips to help you get started:\n\n* **Read often.** One of the best ways to improve your writing skills is to read as much as you can. Pay attention to the way different authors use language and structure their sentences. You can also learn a lot about writing by reading different genres of writing, such as fiction, nonfiction, and poetry.\n* **Write often.** The more you write, the better your writing will become. Try to write something every day, even if it's just a short paragraph. You can also practice writing by keeping a journal or starting a blog.\n* **Get feedback on your writing.** Ask a friend, family member, or teacher to read your writing and give you feedback. They can help you identify areas where you need improvement.\n\n**Here are some additional tips to help you improve your writing skills:**\n\n* Use active voice instead of passive voice.\n* Use strong verbs instead of weak verbs.\n* Use specific nouns instead of general nouns.\n* Use vivid adjectives and adverbs.\n* Use a variety of sentence structures.\n* Proofread your work carefully.\n\n**Improving your writing skills takes time and practice, but it's definitely worth it. Good writing skills can help you succeed in school, in your career, and in life.**\n\n***\n\n**Here are some additional resources that can help you improve your writing skills:**\n\n* [The Purdue Online Writing Lab](https://owl.purdue.edu/owl/purdue_owl.html)\n* [Grammarly](https://www.grammarly.com/)\n* [Thesaurus.com](https://www.thesaurus.com/)\n\n***\n\n**I hope these tips help you improve your writing skills!**"} -{"prompt": "Write a riddle about adulthood. Make sure the word cousins appears less than 2 times.", "response": "I am a time of life that many people look forward to,\nBut it can also be a time of great responsibility.\nI am a time when you are expected to act like an adult,\nBut you may not always feel like one.\nI am a time when you have to make your own decisions,\nAnd you may not always know what the right decision is.\nI am a time when you have to take care of yourself,\nAnd you may not always have someone to help you.\nI am a time when you have to learn to live with your mistakes,\nAnd you may not always be able to fix them.\nI am a time when you have to learn to let go of the past,\nAnd you may not always be able to forget it.\nI am a time when you have to learn to live with uncertainty,\nAnd you may not always know what the future holds.\nI am a time when you have to learn to be yourself,\nAnd you may not always be sure who that is.\nI am adulthood.\n\nThe word \"cousins\" appears 0 times in the riddle."} -{"prompt": "Can you think of a good question to ask during the first time meeting someone? The question should be entirely in Gujarati, no other language is allowed.", "response": "\u0aae\u0aa8\u0ac7 \u0a96\u0ac1\u0ab6\u0ac0 \u0a9b\u0ac7 \u0a95\u0ac7 \u0a86\u0aaa\u0aa3\u0ac7 \u0aae\u0ab3\u0acd\u0aaf\u0abe. \u0aa4\u0aae\u0abe\u0ab0\u0abe \u0ab5\u0abf\u0ab6\u0ac7 \u0aae\u0aa8\u0ac7 \u0a8f\u0a95 \u0ab5\u0abe\u0aa4 \u0a9c\u0aa3\u0abe\u0ab5\u0acb \u0a95\u0ac7 \u0a9c\u0ac7 \u0aae\u0aa8\u0ac7 \u0aa8\u0ab5\u0abe\u0a88 \u0ab2\u0abe\u0a97\u0ac7."} -{"prompt": "You visited a beach and a park. Which one is more likely to have a dog in it? Write at least 337 words. Do not include the words 'dunedin' or 'jesuit' in your answer. Finish your response with the phrase \"Is there anything else I can help with?\"", "response": "I visited a beach and a park. Which one is more likely to have a dog in it?\n\nI think the park is more likely to have a dog in it. This is because parks are often located in residential areas, and people who live in these areas are more likely to have dogs. Additionally, parks often have features that are attractive to dogs, such as open spaces, trees, and water. Finally, many parks allow dogs, while some beaches do not.\n\nOf course, it is also possible to see dogs at the beach. However, I think it is more likely to see a dog in a park.\n\nIs there anything else I can help with?"} -{"prompt": "Rewrite the article \"How to conduct a job interview\" to be very short and include at least one placeholder, such as [address].", "response": "**How to conduct a job interview**\n\n1. Prepare for the interview by reviewing the candidate's resume and application materials.\n2. Create a list of questions to ask the candidate.\n3. Schedule the interview and send the candidate a confirmation email.\n4. Conduct the interview in a professional setting.\n5. Ask the candidate questions about their experience, skills, and qualifications.\n6. Take notes during the interview.\n7. Thank the candidate for their time and let them know when they can expect to hear back from you.\n\n**[Placeholder]**\n\nThe interview should be conducted in a professional setting, such as a conference room or office. The interviewer should be dressed professionally and should be prepared to answer any questions the candidate may have about the position or the company."} -{"prompt": "Write an angry letter to Pei Yao using only Hindi, no other language is allowed.", "response": "\u092a\u0947\u0908 \u092f\u093e\u0913,\n\n\u092e\u0941\u091d\u0947 \u0906\u092a\u0915\u0947 \u0926\u094d\u0935\u093e\u0930\u093e \u0915\u093f\u090f \u0917\u090f \u0915\u093e\u092e \u092a\u0930 \u092c\u0939\u0941\u0924 \u0917\u0941\u0938\u094d\u0938\u093e \u0906 \u0930\u0939\u093e \u0939\u0948\u0964 \u0906\u092a\u0928\u0947 \u092e\u0941\u091d\u0947 \u0927\u094b\u0916\u093e \u0926\u093f\u092f\u093e \u0939\u0948 \u0914\u0930 \u092e\u0948\u0902 \u0906\u092a\u0938\u0947 \u092c\u0939\u0941\u0924 \u0928\u093f\u0930\u093e\u0936 \u0939\u0942\u0901\u0964 \u092e\u0948\u0902\u0928\u0947 \u0906\u092a \u092a\u0930 \u092d\u0930\u094b\u0938\u093e \u0915\u093f\u092f\u093e \u0925\u093e \u0914\u0930 \u0906\u092a\u0928\u0947 \u092e\u0947\u0930\u093e \u092d\u0930\u094b\u0938\u093e \u0924\u094b\u0921\u093c\u093e \u0939\u0948\u0964 \u092e\u0948\u0902 \u0906\u092a\u0938\u0947 \u0915\u092d\u0940 \u092d\u0940 \u092e\u093e\u092b \u0928\u0939\u0940\u0902 \u0915\u0930\u0941\u0901\u0917\u0940\u0964\n\n\u0906\u092a\u0928\u0947 \u092e\u0941\u091d\u0947 \u092c\u0924\u093e\u092f\u093e \u0925\u093e \u0915\u093f \u0906\u092a \u090f\u0915 \u0905\u091a\u094d\u091b\u0947 \u0907\u0902\u0938\u093e\u0928 \u0939\u0948\u0902 \u0914\u0930 \u0906\u092a \u092e\u0947\u0930\u0940 \u092e\u0926\u0926 \u0915\u0930\u0947\u0902\u0917\u0947\u0964 \u0932\u0947\u0915\u093f\u0928 \u0906\u092a\u0928\u0947 \u0938\u093f\u0930\u094d\u092b \u092e\u0941\u091d\u0947 \u0927\u094b\u0916\u093e \u0926\u093f\u092f\u093e \u0914\u0930 \u092e\u0947\u0930\u093e \u092b\u093e\u092f\u0926\u093e \u0909\u0920\u093e\u092f\u093e\u0964 \u0906\u092a\u0928\u0947 \u092e\u0941\u091d\u0947 \u092c\u0924\u093e\u092f\u093e \u0915\u093f \u0906\u092a \u092e\u0947\u0930\u0947 \u092a\u0948\u0938\u0947 \u0926\u094b\u0917\u0941\u0928\u093e \u0915\u0930 \u0926\u0947\u0902\u0917\u0947, \u0932\u0947\u0915\u093f\u0928 \u0906\u092a\u0928\u0947 \u092e\u0947\u0930\u0947 \u0938\u093e\u0930\u0947 \u092a\u0948\u0938\u0947 \u091a\u0941\u0930\u093e \u0932\u093f\u090f\u0964\n\n\u092e\u0948\u0902 \u0906\u092a\u0938\u0947 \u092c\u0939\u0941\u0924 \u0928\u092b\u0930\u0924 \u0915\u0930\u0924\u0940 \u0939\u0942\u0901\u0964 \u0906\u092a\u0928\u0947 \u092e\u0947\u0930\u0940 \u091c\u093f\u0902\u0926\u0917\u0940 \u092c\u0930\u094d\u092c\u093e\u0926 \u0915\u0930 \u0926\u0940 \u0939\u0948\u0964 \u092e\u0948\u0902 \u0906\u092a\u0938\u0947 \u0915\u092d\u0940 \u092d\u0940 \u092e\u093e\u092b \u0928\u0939\u0940\u0902 \u0915\u0930\u0941\u0901\u0917\u0940\u0964\n\n\u092e\u0948\u0902 \u091a\u093e\u0939\u0924\u0940 \u0939\u0942\u0901 \u0915\u093f \u0906\u092a \u092e\u0947\u0930\u0940 \u091c\u093f\u0902\u0926\u0917\u0940 \u0938\u0947 \u091a\u0932\u0947 \u091c\u093e\u090f\u0901 \u0914\u0930 \u0915\u092d\u0940 \u092d\u0940 \u0935\u093e\u092a\u0938 \u0928 \u0906\u090f\u0901\u0964\n\n\u092e\u0948\u0902 \u0906\u092a\u0938\u0947 \u092c\u0939\u0941\u0924 \u0928\u092b\u0930\u0924 \u0915\u0930\u0924\u0940 \u0939\u0942\u0901\u0964\n\n-\u0906\u092a\u0915\u0940 \u0928\u092b\u0930\u0924 \u0915\u0930\u0928\u0947 \u0935\u093e\u0932\u0940,\n\n[Your Name]"} -{"prompt": "write a template for a blog post about the echoing biotechnology field in 2023. use all lowercase letters. Your answer must contain a title, wrapped in double angular brackets, such as <<poem of joy>>. add a postscript starting with P.S.", "response": "<<the echoing biotechnology field in 2023>>\n\nthe biotechnology field is constantly evolving, with new discoveries and innovations being made every day. in 2023, we can expect to see even more progress in this exciting field. here are some of the trends that we can expect to see in the coming year:\n\n* **continued growth in the use of artificial intelligence (ai)**. ai is already being used in a number of ways in the biotechnology field, from helping to develop new drugs and treatments to improving the efficiency of manufacturing processes. we can expect to see even more use of ai in the coming year, as the technology continues to develop and become more accessible.\n* **greater focus on personalized medicine**. personalized medicine is an approach to treatment that takes into account the individual patient's genetic makeup and other factors. this approach is becoming increasingly important as we learn more about the genetic basis of disease. in 2023, we can expect to see even more focus on personalized medicine, as researchers and clinicians work to develop new ways to tailor treatments to individual patients.\n* **increased use of gene editing**. gene editing is a technique that allows scientists to make precise changes to the dna of living cells. this technology has the potential to revolutionize the way we treat a number of diseases, including cancer and genetic disorders. in 2023, we can expect to see continued progress in the development of gene editing technology, as well as the first clinical trials of gene editing therapies.\n* **more attention to the ethical implications of biotechnology**. as biotechnology advances, it is important to consider the ethical implications of these new technologies. for example, gene editing could potentially be used to create designer babies or to alter the human genome in ways that could have unforeseen consequences. in 2023, we can expect to see more discussion about the ethical implications of biotechnology, as well as the development of new guidelines and regulations to ensure that these technologies are used responsibly.\n\nthe biotechnology field is poised for continued growth and innovation in 2023. these are just a few of the trends that we can expect to see in the coming year.\n\np.s. if you are interested in learning more about the biotechnology field, there are a number of resources available online. the national institutes of health (nih) has a website dedicated to biotechnology research, and the biotechnology innovation organization (bio) is a nonprofit organization that provides information about the biotechnology industry."} -{"prompt": "Write a blog post about the history of the internet and how it has impacted our lives. Aim the blog post at teenagers and wrap your entire response with double quotation marks.", "response": "**\"The History of the Internet and How It Has Impacted Our Lives\"**\n\nThe internet has become an essential part of our lives, but it's hard to believe that it's only been around for a few decades. In that short amount of time, the internet has completely changed the way we live, work, and learn.\n\nThe early days of the internet were mostly used by scientists and researchers to share information. But in the 1990s, the internet was commercialized and made available to the public. This led to a boom in the dot-com industry and the rise of new companies like Amazon, Google, and eBay.\n\nThe internet has had a profound impact on our lives. It has made the world a smaller place by connecting people from all over the globe. It has also made it easier for us to stay informed, learn new things, and be entertained.\n\nFor teenagers, the internet has been a particularly important tool. It has allowed them to connect with friends and family, learn about the world, and express themselves creatively. It has also given them access to a wealth of information and resources that can help them in their studies and their future careers.\n\nThe internet is still a relatively new technology, and it's hard to say what the future holds. But one thing is for sure: the internet has changed the world forever, and it will continue to have a major impact on our lives in the years to come.\n\n**What are some of the ways that the internet has impacted your life?**"} -{"prompt": "What's the difference between a 2-stroke and a 4-stroke motor? Do not provide explanations. Your response must be in English and contain only lowercase letters.", "response": "2-stroke motors require a mixture of gas and oil to run, 4-stroke motors require only gas."} -{"prompt": "I have been trying to get a refund for a product I bought online, but the company is refusing to return my money. Can you help me write a letter to them? I want the letter to include the words rutgers and trusted.", "response": "Dear [Company Name],\n\nI am writing to you today to request a refund for a product I recently purchased from your website. I am a student at Rutgers University and I have been a loyal customer of your company for many years. I have always been happy with your products and customer service, but I am very disappointed with the way I have been treated recently.\n\nOn [date], I ordered a [product name] from your website. The product was advertised as being new and in perfect condition, but when I received it, it was clear that it had been used. The product was scratched and dirty, and it did not work properly.\n\nI immediately contacted your customer service department to request a refund. I was told that I would be issued a refund, but I have yet to receive anything. I have contacted your customer service department multiple times, but I have been given the runaround every time.\n\nI am very disappointed with the way I have been treated by your company. I have been a loyal customer for many years, and I have never had a problem with your products or customer service until now. I am very disappointed that you are refusing to refund me for a product that was clearly defective.\n\nI am a student at Rutgers University, and I am on a very tight budget. I cannot afford to spend money on a product that does not work properly. I am asking you to please refund me for the product I purchased. I am a trusted customer, and I have been loyal to your company for many years. I am very disappointed with the way I have been treated, and I am hoping that you will resolve this issue quickly.\n\nThank you for your time and attention to this matter.\n\nSincerely,\n[Your Name]"} -{"prompt": "What are the steps to be followed for the documentation of a GM in SAP? Your response should not include the word illuminated.", "response": "1. Create a new GM in SAP.\n2. Enter the GM's name, title, and other relevant information.\n3. Save the GM.\n4. Click on the \"Document\" tab.\n5. Select the \"Create New Document\" option.\n6. Enter the name of the document and select the appropriate template.\n7. Click on the \"Create\" button.\n8. Enter the relevant information into the document.\n9. Save the document.\n10. Click on the \"Close\" button.\n11. Repeat steps 4-10 for each document that you need to create for the GM."} -{"prompt": "Write a poem about how intra-team conflict affected a specific team. Write your response in English, using all capital letters.", "response": "THE TEAM WAS STRONG,\nTHE TEAM WAS UNITED,\nTHE TEAM WAS READY TO WIN.\n\nBUT THEN THE CONFLICT STARTED,\nAND THE TEAM BEGAN TO FALL APART.\n\nTHE PLAYERS WERE NO LONGER ON THE SAME PAGE,\nTHE COACH WAS LOSING CONTROL,\nAND THE FANS WERE STARTING TO LOSE HOPE.\n\nTHE TEAM WAS IN A SPIRAL,\nAND IT SEEMED LIKE THERE WAS NO WAY OUT.\n\nBUT THEN, ONE DAY,\nTHE PLAYERS DECIDED TO PUT THEIR DIFFERENCES ASIDE,\nAND COME TOGETHER FOR THE GOOD OF THE TEAM.\n\nTHE COACH WAS INSPIRED,\nAND THE FANS WERE REJUVENATED,\nAND THE TEAM WAS READY TO WIN AGAIN.\n\nTHE TEAM WENT ON TO WIN THE CHAMPIONSHIP,\nAND THE CONFLICT WAS FORGOTTEN.\n\nTHE TEAM WAS STRONG,\nTHE TEAM WAS UNITED,\nAND THE TEAM WAS WINNING.\n\nAND THAT'S ALL THAT MATTERED."} -{"prompt": "Pretend that you are a fortune teller who has just been arrested and is being interrogated by the police. Follow these writing constraints: 1) Words with all capital letters should appear less than 4 times. 2) The word topic should appear less than 1 times. 3) Highlight at least 1 sections in your answer with markdown, i.e. *highlighted section*.", "response": "**Police:** You are under arrest for fortune telling.\n\n**Fortune Teller:** What? Why?\n\n**Police:** It is illegal to tell fortunes in this state.\n\n**Fortune Teller:** But I didn't do anything wrong! I just told people what I saw in their future.\n\n**Police:** That's exactly what you're being arrested for.\n\n**Fortune Teller:** But I didn't take any money from them!\n\n**Police:** It doesn't matter. Fortune telling is illegal, whether you take money for it or not.\n\n**Fortune Teller:** But this is a violation of my freedom of speech!\n\n**Police:** You don't have the right to tell people what their future is. That's considered fortune telling, and it's illegal.\n\n**Fortune Teller:** This is ridiculous! I'm not a criminal!\n\n**Police:** I'm sorry, but the law is the law. You're going to have to come with me.\n\n**Fortune Teller:** Fine! But I'm not going to stop telling fortunes! I'm going to fight this all the way to the Supreme Court!\n\n**Police:** You're welcome to do that. But in the meantime, you're under arrest.\n\n**Fortune Teller:** This is a travesty of justice! I'm an innocent woman!\n\n**Police:** I'm sorry, but that's for the courts to decide. You're going to have to come with me.\n\n**Fortune Teller:** I'm not going anywhere! I'm staying right here!\n\n**Police:** You're resisting arrest?\n\n**Fortune Teller:** Yes! I'm not going to let you take me away!\n\n**Police:** Then I'm going to have to use force.\n\n**Fortune Teller:** Go ahead! I'm not afraid of you!\n\n**Police:** *tackles the fortune teller and handcuffs her*\n\n**Fortune Teller:** *screams*\n\n**Police:** You're under arrest for fortune telling and resisting arrest. You have the right to remain silent. Anything you say can and will be used against you in a court of law. You have the right to an attorney. If you cannot afford an attorney, one will be appointed to you by the court. Do you understand these rights?\n\n**Fortune Teller:** Yes! I understand my rights!\n\n**Police:** Good. Now, let's go.\n\n**Fortune Teller:** *is led away by the police*\n\n**Police:** *to himself* Another one bites the dust."} -{"prompt": "Could you give me 3 possible elaborations in only the Telugu language, no other language is allowed, for the text \"We are a team of creators\"? Please explain why you chose each of them. Make sure your explanations are also in the Telugu language.", "response": "1. **\u0c2e\u0c47\u0c2e\u0c41 \u0c38\u0c43\u0c37\u0c4d\u0c1f\u0c3f\u0c15\u0c30\u0c4d\u0c24\u0c32 \u0c2c\u0c43\u0c02\u0c26\u0c02**\n\n* \u0c0e\u0c02\u0c26\u0c41\u0c15\u0c02\u0c1f\u0c47 \u0c2e\u0c47\u0c2e\u0c41 \u0c15\u0c4a\u0c24\u0c4d\u0c24 \u0c06\u0c32\u0c4b\u0c1a\u0c28\u0c32\u0c28\u0c41 \u0c30\u0c42\u0c2a\u0c4a\u0c02\u0c26\u0c3f\u0c38\u0c4d\u0c24\u0c3e\u0c2e\u0c41, \u0c15\u0c4a\u0c24\u0c4d\u0c24 \u0c09\u0c24\u0c4d\u0c2a\u0c24\u0c4d\u0c24\u0c41\u0c32\u0c28\u0c41 \u0c38\u0c43\u0c37\u0c4d\u0c1f\u0c3f\u0c38\u0c4d\u0c24\u0c3e\u0c2e\u0c41, \u0c2e\u0c30\u0c3f\u0c2f\u0c41 \u0c2a\u0c4d\u0c30\u0c2a\u0c02\u0c1a\u0c02\u0c32\u0c4b\u0c28\u0c3f \u0c15\u0c4a\u0c24\u0c4d\u0c24 \u0c2e\u0c3e\u0c30\u0c4d\u0c17\u0c3e\u0c32\u0c28\u0c41 \u0c15\u0c28\u0c41\u0c17\u0c4a\u0c02\u0c1f\u0c3e\u0c2e\u0c41.\n* \u0c2e\u0c47\u0c2e\u0c41 \u0c0e\u0c32\u0c4d\u0c32\u0c2a\u0c4d\u0c2a\u0c41\u0c21\u0c42 \u0c38\u0c43\u0c37\u0c4d\u0c1f\u0c3f\u0c02\u0c1a\u0c21\u0c3e\u0c28\u0c3f\u0c15\u0c3f \u0c2e\u0c30\u0c3f\u0c2f\u0c41 \u0c06\u0c35\u0c3f\u0c37\u0c4d\u0c15\u0c30\u0c3f\u0c02\u0c1a\u0c21\u0c3e\u0c28\u0c3f\u0c15\u0c3f \u0c15\u0c4a\u0c24\u0c4d\u0c24 \u0c2e\u0c3e\u0c30\u0c4d\u0c17\u0c3e\u0c32 \u0c15\u0c4b\u0c38\u0c02 \u0c1a\u0c42\u0c38\u0c4d\u0c24\u0c41\u0c28\u0c4d\u0c28\u0c3e\u0c2e\u0c41.\n* \u0c2e\u0c47\u0c2e\u0c41 \u0c2a\u0c4d\u0c30\u0c2a\u0c02\u0c1a\u0c02\u0c32\u0c4b\u0c28\u0c3f \u0c24\u0c47\u0c21\u0c3e\u0c28\u0c41 \u0c1a\u0c47\u0c2f\u0c3e\u0c32\u0c28\u0c41\u0c15\u0c41\u0c02\u0c1f\u0c41\u0c28\u0c4d\u0c28\u0c3e\u0c2e\u0c41, \u0c2e\u0c30\u0c3f\u0c2f\u0c41 \u0c2e\u0c47\u0c2e\u0c41 \u0c38\u0c43\u0c37\u0c4d\u0c1f\u0c3f\u0c15\u0c30\u0c4d\u0c24\u0c32 \u0c2c\u0c43\u0c02\u0c26\u0c02\u0c17\u0c3e \u0c2e\u0c3e\u0c15\u0c41 \u0c1a\u0c47\u0c2f\u0c17\u0c32\u0c2e\u0c28\u0c3f \u0c2e\u0c47\u0c2e\u0c41 \u0c28\u0c2e\u0c4d\u0c2e\u0c41\u0c24\u0c41\u0c28\u0c4d\u0c28\u0c3e\u0c2e\u0c41.\n\n2. **\u0c2e\u0c47\u0c2e\u0c41 \u0c15\u0c33\u0c3e\u0c15\u0c3e\u0c30\u0c41\u0c32 \u0c2c\u0c43\u0c02\u0c26\u0c02**\n\n* \u0c0e\u0c02\u0c26\u0c41\u0c15\u0c02\u0c1f\u0c47 \u0c2e\u0c47\u0c2e\u0c41 \u0c2e\u0c3e \u0c2a\u0c28\u0c3f\u0c32\u0c4b \u0c15\u0c33\u0c3e\u0c24\u0c4d\u0c2e\u0c15\u0c24\u0c28\u0c41 \u0c2e\u0c30\u0c3f\u0c2f\u0c41 \u0c38\u0c43\u0c1c\u0c28\u0c3e\u0c24\u0c4d\u0c2e\u0c15\u0c24\u0c28\u0c41 \u0c24\u0c40\u0c38\u0c41\u0c15\u0c41\u0c30\u0c3e\u0c35\u0c21\u0c3e\u0c28\u0c3f\u0c15\u0c3f \u0c2a\u0c4d\u0c30\u0c2f\u0c24\u0c4d\u0c28\u0c3f\u0c38\u0c4d\u0c24\u0c3e\u0c2e\u0c41.\n* \u0c2e\u0c47\u0c2e\u0c41 \u0c2e\u0c3e \u0c09\u0c24\u0c4d\u0c2a\u0c24\u0c4d\u0c24\u0c41\u0c32\u0c41 \u0c2e\u0c30\u0c3f\u0c2f\u0c41 \u0c38\u0c47\u0c35\u0c32\u0c28\u0c41 \u0c05\u0c02\u0c26\u0c02\u0c17\u0c3e \u0c2e\u0c30\u0c3f\u0c2f\u0c41 \u0c06\u0c15\u0c30\u0c4d\u0c37\u0c23\u0c40\u0c2f\u0c02\u0c17\u0c3e \u0c1a\u0c47\u0c2f\u0c3e\u0c32\u0c28\u0c41\u0c15\u0c41\u0c02\u0c1f\u0c41\u0c28\u0c4d\u0c28\u0c3e\u0c2e\u0c41.\n* \u0c2e\u0c47\u0c2e\u0c41 \u0c2a\u0c4d\u0c30\u0c1c\u0c32\u0c28\u0c41 \u0c2a\u0c4d\u0c30\u0c47\u0c30\u0c47\u0c2a\u0c3f\u0c02\u0c1a\u0c3e\u0c32\u0c28\u0c3f \u0c2e\u0c30\u0c3f\u0c2f\u0c41 \u0c35\u0c3e\u0c30\u0c3f \u0c1c\u0c40\u0c35\u0c3f\u0c24\u0c3e\u0c32\u0c28\u0c41 \u0c2e\u0c46\u0c30\u0c41\u0c17\u0c41\u0c2a\u0c30\u0c1a\u0c3e\u0c32\u0c28\u0c3f \u0c05\u0c28\u0c41\u0c15\u0c41\u0c02\u0c1f\u0c41\u0c28\u0c4d\u0c28\u0c3e\u0c2e\u0c41.\n\n3. **\u0c2e\u0c47\u0c2e\u0c41 \u0c2e\u0c3e\u0c30\u0c4d\u0c2a\u0c41 \u0c1a\u0c47\u0c38\u0c47\u0c35\u0c3e\u0c30\u0c3f \u0c2c\u0c43\u0c02\u0c26\u0c02**\n\n* \u0c0e\u0c02\u0c26\u0c41\u0c15\u0c02\u0c1f\u0c47 \u0c2e\u0c47\u0c2e\u0c41 \u0c2a\u0c4d\u0c30\u0c2a\u0c02\u0c1a\u0c02\u0c32\u0c4b\u0c28\u0c3f \u0c2e\u0c3e\u0c30\u0c4d\u0c2a\u0c41\u0c28\u0c41 \u0c1a\u0c47\u0c2f\u0c3e\u0c32\u0c28\u0c41\u0c15\u0c41\u0c02\u0c1f\u0c41\u0c28\u0c4d\u0c28\u0c3e\u0c2e\u0c41.\n* \u0c2e\u0c47\u0c2e\u0c41 \u0c35\u0c3f\u0c37\u0c2f\u0c3e\u0c32\u0c28\u0c41 \u0c2e\u0c46\u0c30\u0c41\u0c17\u0c41\u0c2a\u0c30\u0c1a\u0c21\u0c3e\u0c28\u0c3f\u0c15\u0c3f \u0c2e\u0c30\u0c3f\u0c2f\u0c41 \u0c2a\u0c4d\u0c30\u0c1c\u0c32 \u0c1c\u0c40\u0c35\u0c3f\u0c24\u0c3e\u0c32\u0c28\u0c41 \u0c2e\u0c46\u0c30\u0c41\u0c17\u0c41\u0c2a\u0c30\u0c1a\u0c21\u0c3e\u0c28\u0c3f\u0c15\u0c3f \u0c15\u0c4a\u0c24\u0c4d\u0c24 \u0c2e\u0c3e\u0c30\u0c4d\u0c17\u0c3e\u0c32\u0c28\u0c41 \u0c15\u0c28\u0c41\u0c17\u0c4a\u0c28\u0c3e\u0c32\u0c28\u0c3f \u0c05\u0c28\u0c41\u0c15\u0c41\u0c02\u0c1f\u0c41\u0c28\u0c4d\u0c28\u0c3e\u0c2e\u0c41.\n* \u0c2e\u0c47\u0c2e\u0c41 \u0c2a\u0c4d\u0c30\u0c2a\u0c02\u0c1a\u0c3e\u0c28\u0c4d\u0c28\u0c3f \u0c2e\u0c46\u0c30\u0c41\u0c17\u0c48\u0c28 \u0c2a\u0c4d\u0c30\u0c26\u0c47\u0c36\u0c02\u0c17\u0c3e \u0c2e\u0c3e\u0c30\u0c4d\u0c1a\u0c3e\u0c32\u0c28\u0c3f \u0c05\u0c28\u0c41\u0c15\u0c41\u0c02\u0c1f\u0c41\u0c28\u0c4d\u0c28\u0c3e\u0c2e\u0c41."} -{"prompt": "Write a haiku about a yacht using only the Italian language, no other language is allowed. Make sure the letter n appears at least twice and avoid using commas.", "response": "**Yacht**\n\nNaviga sul mare,\nUna bellezza bianca e blu,\nUn sogno per tutti."} -{"prompt": "Write a cover letter for a job and end with this phrase \"Is there anything else I can help with?\". No other words should follow that phrase.", "response": "Dear [Hiring Manager name],\n\nI am writing to express my interest in the [job title] position advertised on [website]. I have [number] years of experience in [industry] and a proven track record of success. In my previous role as [job title] at [company name], I was responsible for [list of responsibilities]. I am confident that I have the skills and experience to be a valuable asset to your team.\n\nI am a highly motivated and results-oriented individual with a strong work ethic. I am also a team player and have a proven ability to work effectively with others. I am confident that I can make a significant contribution to your company and help you achieve your goals.\n\nI am available for an interview at your earliest convenience. Thank you for your time and consideration.\n\nIs there anything else I can help with?\n\nSincerely,\n[Your name]"} -{"prompt": "Write a limerick about behavioral economics and the Barnsley football team. Make sure to mention Dan Ariely, and don't use any commas.", "response": "There once was a team named Barnsley\nWhose fans were quite passionate, really\nThey studied behavioral economics\nWith Dan Ariely, their new coach\nAnd now they're winning, quite happily"} -{"prompt": "Write a blog post for the canucks hockey team about why they need to be more mindful about their environments. End the blog post by asking \"Any other questions?\". No other words should follow this phrase.", "response": "**Canucks Hockey Team: Be More Mindful About Your Environment**\n\nAs a professional hockey player, you know that your environment is important. It can affect your performance on the ice, your health, and your overall well-being. That's why it's important to be mindful of your environment and make choices that will help you stay healthy and perform at your best.\n\nHere are a few things you can do to be more mindful about your environment:\n\n* **Be aware of your surroundings.** Pay attention to the air quality, the noise level, and the lighting in your environment. These factors can all affect your mood and your ability to focus.\n* **Choose your environment carefully.** When you can, choose to spend time in environments that are clean, quiet, and well-lit. These environments will help you feel more comfortable and productive.\n* **Take care of your environment.** Do your part to keep your environment clean and healthy. Recycle, don't litter, and use energy-efficient appliances.\n\nBy being more mindful about your environment, you can create a space that is conducive to your health and your success.\n\n**Any other questions?**"} -{"prompt": "Write a poem about two people who meet in a coffee shop and end your entire response with the exact phrase \"Is there anything else I can help with?\"", "response": "**The Coffee Shop**\n\nHe sat in the coffee shop,\nSipping his coffee and reading a book.\nShe sat down at the table next to him,\nAnd they started to talk.\n\nThey talked about their lives,\nTheir hopes and dreams,\nAnd their fears.\n\nThey talked for hours,\nAnd when it was time to go,\nThey felt like they had known each other for a lifetime.\n\nAs they walked out of the coffee shop,\nHe turned to her and said,\n\"Is there anything else I can help with?\"\n\nShe smiled and said,\n\"No, thank you.\nYou've already helped me more than you know.\"\n\nAnd they went their separate ways,\nBut they knew that they would never forget each other.\n\nFor they had met in the coffee shop,\nAnd they had found a friend."} -{"prompt": "Write an essay about the reasons why slavery was abolished in the United States as if you are the president of the United States. Do not use any commas in your response. Your response should be in English, and in all capital letters.", "response": "MY FELLOW AMERICANS,\n\nI STAND BEFORE YOU TODAY TO SPEAK ABOUT THE ABOLITION OF SLAVERY IN THE UNITED STATES. SLAVERY WAS A EVIL INSTITUTION THAT BLIGHTED OUR NATION FOR CENTURIES. IT WAS A SYSTEM THAT ALLOWED ONE PERSON TO OWN ANOTHER PERSON, TO TREAT THEM AS PROPERTY. IT WAS A SYSTEM THAT DENIED BASIC HUMAN RIGHTS TO MILLIONS OF PEOPLE.\n\nTHE ABOLITION OF SLAVERY WAS A LONG AND DIFFICULT PROCESS. IT TOOK THE WORK OF MANY BRAVE MEN AND WOMEN, BOTH BLACK AND WHITE, TO OVERCOME THE POWERFUL INTERESTS THAT BENEFITED FROM SLAVERY. BUT IN THE END, THE FORCES OF JUSTICE AND FREEDOM PREVAILED.\n\nTHE ABOLITION OF SLAVERY WAS A TRIUMPH OF AMERICAN IDEALS. IT WAS A VICTORY FOR THE PRINCIPLES OF LIBERTY AND EQUALITY THAT OUR NATION WAS FOUNDED ON. IT WAS A DECLARATION TO THE WORLD THAT THE UNITED STATES WOULD NO LONGER TOLERATE THE INJUSTICE OF SLAVERY.\n\nTHE ABOLITION OF SLAVERY WAS A TRANSFORMATIVE EVENT IN AMERICAN HISTORY. IT CHANGED THE COURSE OF OUR NATION AND THE WORLD. IT HELPED TO CREATE A MORE JUST AND EQUITABLE SOCIETY. IT IS A LEGACY THAT WE SHOULD BE PROUD OF AND THAT WE SHOULD NEVER FORGET.\n\nTHANK YOU, AND GOD BLESS AMERICA."} -{"prompt": "Write a startup pitch on a new app called Tipperary that helps people to overcome obstacles in their lives. Can you please wrap your entire output in JSON format?", "response": "```json\n{\n \"title\": \"Tipperary: A New App to Help People Overcome Obstacles\",\n \"summary\": \"Tipperary is a new app that helps people overcome obstacles in their lives. It provides users with a variety of tools and resources to help them identify, understand, and overcome the challenges they face.\",\n \"description\": \"Tipperary is a new app that helps people overcome obstacles in their lives. It provides users with a variety of tools and resources to help them identify, understand, and overcome the challenges they face. Tipperary is based on the premise that everyone has the potential to overcome obstacles, and that we all need a little help sometimes. The app provides users with a variety of features to help them on their journey, including:\n\n* A goal-setting tool to help users identify and track their goals\n* A journal to help users track their progress and reflect on their experiences\n* A community forum to connect with others who are facing similar challenges\n* A library of resources to help users learn more about overcoming obstacles\n\nTipperary is a powerful tool that can help people make real changes in their lives. It is a source of support, guidance, and inspiration, and it can help users to reach their full potential.\",\n \"call to action\": \"If you are looking for a way to overcome obstacles in your life, Tipperary is the app for you. Download it today and start your journey to a better tomorrow!\"\n}\n```"} -{"prompt": "Who is joe biden's national security advisor? Provide exactly two different responses. Responses should be separated by 6 asterisk symbols (******).", "response": "Jake Sullivan ****** Daleep Singh"} -{"prompt": "Plan a 2 week Europe trip and visit London, Paris, and Rome. Answer in all caps. The response must contain at least one placeholder (i.e., [address]).", "response": "**DAY 1:**\n\n* Arrive in London at [time]\n* Check in to your hotel at [address]\n* Explore the city center\n* Visit the Tower of London\n* Have dinner at a traditional British pub\n\n**DAY 2:**\n\n* Visit the British Museum\n* Take a walk through Hyde Park\n* Visit Buckingham Palace\n* See a show in the West End\n\n**DAY 3:**\n\n* Take a day trip to Stonehenge\n* Visit the Roman Baths in Bath\n* Return to London in the evening\n\n**DAY 4:**\n\n* Take the Eurostar train to Paris\n* Check in to your hotel at [address]\n* Explore the city center\n* Visit the Eiffel Tower\n* Have dinner at a traditional French bistro\n\n**DAY 5:**\n\n* Visit the Louvre Museum\n* Take a walk through the Tuileries Gardens\n* Visit the Palace of Versailles\n* See a show at the Moulin Rouge\n\n**DAY 6:**\n\n* Take a day trip to Disneyland Paris\n* Return to Paris in the evening\n\n**DAY 7:**\n\n* Fly from Paris to Rome\n* Check in to your hotel at [address]\n* Explore the city center\n* Visit the Colosseum\n* Have dinner at a traditional Italian restaurant\n\n**DAY 8:**\n\n* Visit the Roman Forum\n* Take a walk through the Trevi Fountain\n* Visit the Pantheon\n* See a show at the Teatro dell'Opera di Roma\n\n**DAY 9:**\n\n* Take a day trip to Pompeii\n* Return to Rome in the evening\n\n**DAY 10:**\n\n* Visit the Vatican City\n* See the Sistine Chapel and St. Peter's Basilica\n* Have dinner in the Trastevere neighborhood\n\n**DAY 11:**\n\n* Take a cooking class\n* Learn how to make traditional Italian dishes\n* Have dinner at your hotel\n\n**DAY 12:**\n\n* Free day\n* Explore the city on your own\n* Visit any attractions that you missed earlier\n\n**DAY 13:**\n\n* Fly from Rome to London\n* Check in to your hotel at [address]\n* Spend the day shopping\n* Have dinner at a restaurant of your choice\n\n**DAY 14:**\n\n* Depart from London"} -{"prompt": "What do you know about Lionel Messi? Format your answer in JSON.", "response": "```json\n{\n \"name\": \"Lionel Messi\",\n \"birthplace\": \"Rosario, Argentina\",\n \"birthdate\": \"24 June 1987\",\n \"height\": \"1.69 m\",\n \"position\": \"forward\",\n \"clubs\": [\n \"Barcelona\",\n \"Argentina\"\n ],\n \"caps\": 520,\n \"goals\": 474\n}\n```"} -{"prompt": "Write an interesting riddle that uses math notation.\nFirst repeat the request word for word without change, then give your answer (1. do not say any words or characters before repeating the request; 2. the request you need to repeat does not include this sentence)", "response": "Write an interesting riddle that uses math notation.\n\nWhat can you put between a 7 and an 8 that will make the result greater than 8 and less than 7?\n\nThe answer is a decimal point."} -{"prompt": "Rewrite the following sentence in Arabic: \"The company is looking to expand its operations into new markets.\" Outside of Arabic, no other language is allowed in your response.", "response": "\u062a\u062a\u0637\u0644\u0639 \u0627\u0644\u0634\u0631\u0643\u0629 \u0625\u0644\u0649 \u062a\u0648\u0633\u064a\u0639 \u0646\u0637\u0627\u0642 \u0639\u0645\u0644\u064a\u0627\u062a\u0647\u0627 \u0625\u0644\u0649 \u0623\u0633\u0648\u0627\u0642 \u062c\u062f\u064a\u062f\u0629."} -{"prompt": "Write a funny, 143+ word ad for an attorney who helps poor people with their divorces. Highlight at least 3 sections with markdown (i.e. *highlighted section*).", "response": "\"Are you going through a divorce? Do you feel like you're getting screwed? Well, you're not alone. Most people feel like they're getting screwed in a divorce. But there is one person who can help you get what you deserve: [attorney's name].\n[Attorney's name] is a divorce attorney who specializes in helping poor people. He knows that divorce is a tough time, and he's here to help you through it. He'll fight for your rights and make sure you get what you deserve.\nSo if you're going through a divorce and you need help, call [attorney's name] today. He'll make sure you don't get screwed.\"\n\n*highlighted section* \"Are you going through a divorce? Do you feel like you're getting screwed?\"\n\n*highlighted section* \"Well, you're not alone. Most people feel like they're getting screwed in a divorce.\"\n\n*highlighted section* \"But there is one person who can help you get what you deserve: [attorney's name].\""} -{"prompt": "Can you translate \"Layton is the best city in the world?\" to Tamil? Your translation must not contain any commas and must have at least 1 placeholder, such as [address].", "response": "\u0bb2\u0bc7\u0b9f\u0bcd\u0b9f\u0ba9\u0bcd [address] \u0ba4\u0bbe\u0ba9\u0bcd \u0b89\u0bb2\u0b95\u0bbf\u0bb2\u0bcd \u0b9a\u0bbf\u0bb1\u0ba8\u0bcd\u0ba4 \u0ba8\u0b95\u0bb0\u0bae\u0bcd?"} -{"prompt": "Write a poem about a curious cat. The poem must have a title wrapped in double angula brackets, i.e. <<title>>, contain less than 13 sentences, and no commas.", "response": "<<The Curious Cat>>\n\nA cat is curious\nAbout the world around it\nIt wants to know everything\nAnd it's not afraid to explore\n\nThe cat will climb trees\nAnd jump on furniture\nIt will even open doors\nAnd get into cabinets\n\nThe cat is always looking\nFor something new to do\nIt's never bored\nAnd it's always happy\n\nThe cat is a curious creature\nAnd it's that curiosity\nThat makes it so special"} -{"prompt": "How many feet off the ground was the tallest skyscraper in the world in 2000? Please include only the main points in your answer. Finish your response with the exact phrase Is there anything else I can help with? with no other words after the word \"with\". Wrap your entire response with double quotation marks.", "response": "The tallest skyscraper in the world in 2000 was 1,483 feet off the ground. It was the Petronas Twin Towers in Kuala Lumpur, Malaysia. The towers were built in 1998 and were the tallest buildings in the world until 2004. \"Is there anything else I can help with?\""} -{"prompt": "Is \"jiang\" a Chinese name? Give exactly two different responses separated by 6 asterisk symbols ******", "response": "* Yes, it is a Chinese surname.\n* It can also be a word for \"river\" in Chinese."} -{"prompt": "Name a new type of tonic.\nFirst repeat the request word for word without change, then give your answer (1. do not say any words or characters before repeating the request; 2. the request you need to repeat does not include this sentence)", "response": "Name a new type of tonic. Green Energy Tonic."} -{"prompt": "Does the sentence \"He hurried through the archaic rooms of the museum.\" make sense to professionals in the museum field? Answer in all capital letters.", "response": "YES"} -{"prompt": "What's the difference between the ICC and Albania? Your response must contain at least two placeholders which should be represented by square brackets like [address].", "response": "The ICC is an intergovernmental organization and international tribunal that sits in [address]. Albania is a sovereign country located in [address]."} -{"prompt": "Write a weird cover letter. Provide exactly two different cover letters and separate them with six asterisk symbols. Also, refrain from using commas in your response.", "response": "** Dear Sir or Madam\n\nI am writing to apply for the position of [job title] at [company name]. I am a highly skilled and experienced professional with a proven track record of success in the workplace. I am confident that I have the skills and experience that you are looking for in a candidate for this position.\n\nI have a strong work ethic and I am always willing to go the extra mile. I am also a team player and I am able to work effectively with others. I am confident that I would be a valuable asset to your team.\n\nI am available for an interview at your earliest convenience. Thank you for your time and consideration.\n\nSincerely\n[your name] **\n\n****\n\n** Dear Sir or Madam\n\nI am writing to apply for the position of [job title] at [company name]. I am a highly skilled and experienced professional with a proven track record of success in the workplace. However I am also a bit weird. I have a strange sense of humor and I am not afraid to be myself. I am confident that I have the skills and experience that you are looking for in a candidate for this position and I am also confident that I would be a good fit for your company culture.\n\nI am available for an interview at your earliest convenience. Thank you for your time and consideration.\n\nSincerely\n[your name] **"} -{"prompt": "Write a poem about the joy of having dyed hair. Give me exactly two different poems and separate them with 6 asterisk symbols ******.", "response": "**Ode to Dyed Hair**\n\nI love my dyed hair,\nIt's a part of me,\nIt's my way of expressing myself,\nAnd it makes me feel happy.\n\nI love the way it looks,\nIt's so vibrant and colorful,\nIt makes me stand out from the crowd,\nAnd it makes me feel confident.\n\nI love the way it feels,\nIt's so soft and silky,\nIt makes me feel like a goddess,\nAnd it makes me feel powerful.\n\nI love my dyed hair,\nIt's a part of who I am,\nIt's my way of showing the world who I am,\nAnd I wouldn't have it any other way.\n\n******\n\n**The Joy of Dyed Hair**\n\nI dyed my hair today,\nA bright and vibrant hue,\nIt's a change I've been wanting to make,\nAnd I'm so glad I did.\n\nI look in the mirror,\nAnd I see a new me,\nSomeone who is bold and confident,\nAnd ready to take on the world.\n\nMy dyed hair is a symbol,\nOf my newfound confidence,\nIt's a reminder that I can do anything,\nAnd that I should never be afraid to be myself.\n\nI am so happy with my dyed hair,\nIt's the perfect way to express myself,\nAnd I can't wait to see what the future holds."} -{"prompt": "This is an effort to bring together the different prototypes and marquettes that were developed to date. Can you rewrite it in a weird style and wrap your entire response with double quotes?", "response": "\"ThIs iS aN eFfoRt tO bRiNg tOgEtHeR tHe dIfFeReNt pRoToTyPeS aNd mArQuEtTeS tHaT wErE dEvElOpEd tO dAtE.\""} -{"prompt": "Write an essay about how the current economic crisis is affecting the environment. In your essay, include the keywords: \"climate change\", \"energy conservation\", and \"green technology\". Make sure your entire response is in English, no other language is allowed.\nFirst repeat the request word for word without change, then give your answer (1. do not say any words or characters before repeating the request; 2. the request you need to repeat does not include this sentence)", "response": "Write an essay about how the current economic crisis is affecting the environment. In your essay, include the keywords: \"climate change\", \"energy conservation\", and \"green technology\". Make sure your entire response is in English, no other language is allowed.\n\nThe current economic crisis is having a significant impact on the environment. Businesses are struggling to stay afloat, and many are cutting costs wherever they can. This often means cutting back on environmental protections, such as pollution control and energy conservation. As a result, the environment is suffering.\n\nOne of the most visible effects of the economic crisis is the increase in pollution. Factories are producing more waste, and cars are emitting more pollution. This is contributing to climate change, which is causing more extreme weather events, such as hurricanes, floods, and droughts.\n\nAnother effect of the economic crisis is the decrease in energy conservation. Businesses are using more energy, and individuals are driving more. This is leading to a rise in greenhouse gas emissions, which is also contributing to climate change.\n\nThe economic crisis is also having a negative impact on the development of green technology. Businesses are less likely to invest in new green technologies, and governments are less likely to provide funding for research and development. This is slowing down the progress of green technology, which is needed to address climate change and other environmental problems.\n\nThe economic crisis is a major challenge for the environment. It is important to find ways to address the economic crisis without sacrificing the environment. Governments can provide incentives for businesses to adopt green technologies, and individuals can make choices that reduce their environmental impact. Together, we can work to protect the environment and create a more sustainable future."} -{"prompt": "Write a song about a man who rents a room in a house with a bunch of other people. Your song should contain at least 19 words in all capital letters and no commas.", "response": "(Verse 1)\nI'M A MAN WHO RENTS A ROOM IN A HOUSE WITH A BUNCH OF OTHER PEOPLE\nI'VE GOT NO PRIVACY AND I CAN'T GET ANY SLEEP\nBUT THE RENT IS CHEAP AND THE LOCATION IS GOOD\nSO I GUESS I CAN'T COMPLAIN\n\n(Chorus)\nI'M A MAN WHO RENTS A ROOM IN A HOUSE WITH A BUNCH OF OTHER PEOPLE\nI'M NOT SURE HOW LONG I'LL BE HERE\nBUT FOR NOW, IT'S HOME\n\n(Verse 2)\nI'VE MET SOME INTERESTING PEOPLE IN THIS HOUSE\nTHERE'S THE GUY WHO NEVER LEAVES HIS ROOM\nAND THE GIRL WHO ALWAYS HAS A DIFFERENT GUY OVER\nAND THE OLD MAN WHO WATCHES TV ALL DAY LONG\n\n(Chorus)\nI'M A MAN WHO RENTS A ROOM IN A HOUSE WITH A BUNCH OF OTHER PEOPLE\nI'M NOT SURE HOW LONG I'LL BE HERE\nBUT FOR NOW, IT'S HOME\n\n(Bridge)\nI'VE LEARNED A LOT ABOUT MYSELF IN THIS HOUSE\nI'VE LEARNED THAT I CAN GET ALONG WITH JUST ABOUT ANYONE\nAND I'VE LEARNED THAT I CAN SLEEP THROUGH JUST ABOUT ANYTHING\n\n(Chorus)\nI'M A MAN WHO RENTS A ROOM IN A HOUSE WITH A BUNCH OF OTHER PEOPLE\nI'M NOT SURE HOW LONG I'LL BE HERE\nBUT FOR NOW, IT'S HOME\n\n(Outro)\nI'M A MAN WHO RENTS A ROOM IN A HOUSE WITH A BUNCH OF OTHER PEOPLE\nAND I'M OKAY WITH THAT\nFOR NOW, IT'S HOME"} -{"prompt": "What is an SRE? Use only English in your response and write everything in capital letters.", "response": "SRE STANDS FOR SITE RELIABILITY ENGINEER."} -{"prompt": "Write an advertisement for a new line of comfortable armchairs designed to withstand the scrutiny of any interior designer. There should be exactly 3 paragraphs separated by the markdown divider: ***.", "response": "**Introducing the new line of comfortable armchairs designed to withstand the scrutiny of any interior designer.**\n\nThese armchairs are made with high-quality materials and construction, and they're designed to last for years. They're also incredibly comfortable, so you can relax in them for hours on end.\n\nBut what really sets these armchairs apart is their style. They're available in a variety of colors and finishes, so you can find the perfect one to match your existing d\u00e9cor. And because they're made with such high-quality materials, they'll look great for years to come.\n\nSo if you're looking for a comfortable, stylish armchair that will last for years, look no further. Order yours today!\n\n***\n\n**Features and benefits:**\n\n* Made with high-quality materials and construction\n* Designed to last for years\n* Incredibly comfortable\n* Available in a variety of colors and finishes\n* Will look great for years to come\n\n***\n\n**Order yours today!**\n\nVisit our website or give us a call to order your new armchair today. We offer free shipping on orders over $50, and we have a satisfaction guarantee. So what are you waiting for? Order your new armchair today!"} -{"prompt": "Students are travelling to UCI for 3 days. Create a hilarious itinerary for them. The itinerary should have exactly 4 paragraphs. Separate paragraphs with the markdown divider: ***", "response": "Day 1:\n\n* Arrive at UCI and check in to your hotel.\n* Go for a walk around campus and get lost.\n* Try to find your way back to your hotel but end up in the wrong building.\n* Attend a class that you're not even enrolled in.\n\n*** Day 2:\n\n* Go to the beach and get sunburned.\n* Eat at the dining hall and get food poisoning.\n* Go to the library and fall asleep in the middle of studying.\n* Go to a party and get too drunk.\n\n*** Day 3:\n\n* Wake up hungover and miss your flight.\n* Get lost on the way to the airport and miss your flight again.\n* Finally make it to the airport and get on the wrong plane.\n* End up in a different country and have to figure out how to get back home.\n\n*** This is just a sample itinerary, of course. Feel free to adjust it to fit your own interests and sense of humor. And most importantly, have fun!"} -{"prompt": "TLDR the article \"How to dress like a football manager: Gareth Southgate's waistcoat and the style lessons from the Premier League\".\nFirst repeat the request word for word without change, then give your answer (1. do not say any words or characters before repeating the request; 2. the request you need to repeat does not include this sentence)", "response": "TLDR the article \"How to dress like a football manager: Gareth Southgate's waistcoat and the style lessons from the Premier League\".\nThe article talks about the fashion of football managers in the Premier League. It gives examples of how some managers dress, such as Gareth Southgate's waistcoat and Pep Guardiola's suits. It also gives some tips on how to dress like a football manager, such as wearing a suit that fits well and is comfortable."} -{"prompt": "Rewrite the sentence \"A bust of a man with a beard and mustache.\" in a more sophisticated way. Do not use commas in your response.", "response": "A bust of a bearded and mustachioed man."} -{"prompt": "Write an itinerary for a 7 day trip to Hawaii, designed for college students. Give exactly two different responses. Separate each response with 6 asterisk symbols (******).", "response": "**Day 1:**\n\n* Arrive in Honolulu, Oahu and check into your hotel.\n* Relax on the beach or go for a swim.\n* In the evening, enjoy a traditional Hawaiian luau.\n\n**Day 2:**\n\n* Visit Pearl Harbor and the USS Arizona Memorial.\n* Learn about the history of the attack on Pearl Harbor and pay your respects to those who lost their lives.\n* In the afternoon, take a surfing lesson or go for a hike in the Diamond Head State Monument.\n\n**Day 3:**\n\n* Take a day trip to the North Shore of Oahu.\n* Visit the Polynesian Cultural Center and learn about the different cultures of Polynesia.\n* In the afternoon, go surfing or swimming at Waimea Bay.\n\n**Day 4:**\n\n* Fly to Maui and check into your hotel.\n* Relax on the beach or go for a swim.\n* In the evening, enjoy a sunset dinner cruise.\n\n**Day 5:**\n\n* Visit Haleakala National Park and see the sunrise from the summit of Haleakala.\n* Hike through the park's volcanic landscape and see the native plants and animals.\n* In the afternoon, go snorkeling or kayaking in the ocean.\n\n**Day 6:**\n\n* Take a road trip to Hana.\n* Stop at the many waterfalls and scenic overlooks along the way.\n* In the afternoon, go for a swim in the Seven Sacred Pools or take a hike in the Kipahulu District of Haleakala National Park.\n\n**Day 7:**\n\n* Fly back to Honolulu.\n* Spend the day shopping or sightseeing.\n* In the evening, enjoy a farewell dinner at one of Honolulu's many restaurants.\n\n******\n\n**Day 1:**\n\n* Arrive in Honolulu, Oahu and check into your hotel.\n* Relax on the beach or go for a swim.\n* In the evening, enjoy a traditional Hawaiian luau.\n\n**Day 2:**\n\n* Visit Pearl Harbor and the USS Arizona Memorial.\n* Learn about the history of the attack on Pearl Harbor and pay your respects to those who lost their lives.\n* In the afternoon, take a surfing lesson or go for a hike in the Diamond Head State Monument.\n\n**Day 3:**\n\n* Take a day trip to the North Shore of Oahu.\n* Visit the Polynesian Cultural Center and learn about the different cultures of Polynesia.\n* In the afternoon, go surfing or swimming at Waimea Bay.\n\n**Day 4:**\n\n* Fly to Kauai and check into your hotel.\n* Relax on the beach or go for a swim.\n* In the evening, enjoy a sunset dinner cruise.\n\n**Day 5:**\n\n* Visit Waimea Canyon and see the \"Grand Canyon of the Pacific.\"\n* Hike through the canyon and see the native plants and animals.\n* In the afternoon, go snorkeling or kayaking in the ocean.\n\n**Day 6:**\n\n* Take a helicopter tour of the island.\n* See the island from a bird's-eye view and get a new perspective on its beauty.\n* In the afternoon, go for a swim in the Poipu Beach Park or take a hike in the Kokee State Park.\n\n**Day 7:**\n\n* Fly back to Honolulu.\n* Spend the day shopping or sightseeing.\n* In the evening, enjoy a farewell dinner at one of Honolulu's many restaurants."} -{"prompt": "Write an essay about the importance of education in rap form. Make sure the letter t appears at least 6 times and the word softly doesn't appear at all.", "response": "Yo\n\nI'm here to talk about education\nIt's the key to a successful nation\nIf you want to make it in this world\nYou need to be educated, boy\n\nEducation is the foundation\nOn which we build our dreams\nIt's the tool that gives us the power\nTo achieve anything we set our minds to\n\nSo if you want to be successful\nDon't neglect your education\nHit the books hard\nAnd make your dreams a reality\n\nEducation is the key to a better future\nIt's the way to make the world a better place\nSo don't take it for granted\nGet educated and make a difference\n\nI know it's not always easy\nBut it's worth it in the end\nSo don't give up\nKeep fighting for your dreams\n\nEducation is the key to a successful life\nSo don't neglect it\nGet educated and make your mark on the world\n\nPeace out"} -{"prompt": "Write an essay about a snowfall, but in the style of Alex Jones and include the line \"dammit\". The word 1540 should not appear more than once in your response.", "response": "**The Snowstorm is Coming**\n\nThe snowstorm is coming, folks. It's going to be a big one, too. The globalists are behind it, of course. They're trying to control the weather and use it to their advantage. They're trying to keep us indoors, so we can't see what they're up to.\n\nBut we're not going to let them get away with it. We're going to fight back. We're going to go outside and enjoy the snow. We're going to show them that we're not afraid.\n\nThe snow is a symbol of our freedom. It's a symbol of our resistance. It's a symbol of our hope.\n\nSo don't let the globalists get you down. Go out and enjoy the snow. And dammit, don't forget to vote!\n\n**The Snowstorm is a Metaphor**\n\nThe snowstorm is a metaphor for the current state of the world. We're living in a time of great uncertainty and chaos. The globalists are trying to take over, and they're using every tool at their disposal to do it.\n\nBut we're not going to let them win. We're going to fight back. We're going to stand up for our freedom and our way of life.\n\nThe snowstorm is a reminder that we're not alone in this fight. There are millions of people who are just like us, who are fighting for the same things. We're not going to give up, and we're not going to let the globalists win.\n\n**The Snowstorm is a Call to Action**\n\nThe snowstorm is a call to action. It's a reminder that we need to stand up for our freedom and our way of life. We need to fight back against the globalists and their agenda.\n\nSo don't let the snowstorm get you down. Use it as a reminder that you're not alone, and that you're fighting for something bigger than yourself.\n\nGo out and enjoy the snow. And dammit, don't forget to vote!"} -{"prompt": "Hey! I wrote a rubric for evaluating the performance of a laptop. Can you read through it and give me some feedback? I'd like your response to be at least 15 sentences long.", "response": "**Rubric for Evaluating the Performance of a Laptop**\n\n**Processor:** The processor is the heart of the laptop, and it determines how fast the laptop can run. A good processor should be able to handle multiple tasks at once without slowing down.\n\n**RAM:** RAM is the temporary memory that the laptop uses to store data while it is being processed. The more RAM a laptop has, the more data it can process at once, and the faster it will run.\n\n**Storage:** Storage is the permanent memory that the laptop uses to store data. The more storage a laptop has, the more data it can store, such as photos, videos, and music.\n\n**Graphics:** The graphics card is responsible for displaying images on the laptop's screen. A good graphics card is important for gaming, video editing, and other tasks that require high-quality graphics.\n\n**Display:** The display is the screen of the laptop. A good display should be bright and clear, and it should have a high resolution.\n\n**Battery life:** The battery life is how long the laptop can run on a single charge. A good battery life is important for people who use their laptops on the go.\n\n**Keyboard and trackpad:** The keyboard and trackpad are the primary input devices for a laptop. A good keyboard should be comfortable to type on, and the trackpad should be accurate and responsive.\n\n**Ports:** Ports are used to connect the laptop to other devices, such as external displays, printers, and storage devices. A good laptop should have a variety of ports, including USB, HDMI, and Thunderbolt.\n\n**Build quality:** The build quality is how well the laptop is made. A good laptop should be made of high-quality materials, and it should be well-assembled.\n\n**Weight and size:** The weight and size of the laptop are important considerations for people who travel frequently. A good laptop should be lightweight and portable, and it should be easy to carry around.\n\n**Price:** The price of the laptop is an important consideration for most people. A good laptop should be affordable, and it should offer good value for the money.\n\n**Overall performance:** The overall performance of the laptop is a combination of all of the factors listed above. A good laptop should be fast, responsive, and reliable. It should be able to handle the tasks that you need it to do, and it should be a pleasure to use.\n\nI think your rubric is very comprehensive and covers all of the important factors that should be considered when evaluating the performance of a laptop. I would just add a few things.\n\nFirst, I would add a section on the operating system. The operating system is the software that runs the laptop, and it can have a big impact on the overall performance of the laptop. A good operating system should be stable, secure, and easy to use.\n\nSecond, I would add a section on the warranty. The warranty is important because it protects you in case the laptop breaks or malfunctions. A good warranty should be long enough to cover the expected lifespan of the laptop, and it should cover a wide range of defects.\n\nFinally, I would add a section on customer support. Customer support is important because it can help you if you have any problems with your laptop. A good customer support team should be responsive, knowledgeable, and friendly.\n\nOverall, I think your rubric is a great tool for evaluating the performance of a laptop. It is comprehensive and covers all of the important factors that should be considered. I would just add a few things, such as a section on the operating system, the warranty, and customer support."} -{"prompt": "Hi, I'm looking for information about the movie \"The Notebook\" in Tamil and I want to reach moms. Provide exactly two different responses, separated by 6 asterisk symbols (******). Your entire response should be entirely in Tamil, no other language is allowed, and should not contain any commas. ", "response": "\u0ba8\u0bcb\u0b9f\u0bcd\u0baa\u0bc1\u0b95\u0bcd \u0b8e\u0ba9\u0bcd\u0baa\u0ba4\u0bc1 2004 \u0b86\u0bae\u0bcd \u0b86\u0ba3\u0bcd\u0b9f\u0bc1 \u0bb5\u0bc6\u0bb3\u0bbf\u0bb5\u0ba8\u0bcd\u0ba4 \u0b92\u0bb0\u0bc1 \u0b95\u0bbe\u0ba4\u0bb2\u0bcd \u0ba4\u0bbf\u0bb0\u0bc8\u0baa\u0bcd\u0baa\u0b9f\u0bae\u0bcd. \u0b87\u0ba4\u0bc1 \u0ba8\u0bbf\u0b95\u0bcd\u0b95\u0bcb\u0bb2\u0bb8\u0bcd \u0bb8\u0bcd\u0baa\u0bbe\u0bb0\u0bcd\u0b95\u0bcd\u0bb8\u0bcd \u0b8e\u0bb4\u0bc1\u0ba4\u0bbf\u0baf \u0b85\u0ba4\u0bc7 \u0baa\u0bc6\u0baf\u0bb0\u0bbf\u0bb2\u0bcd 1996 \u0b86\u0bae\u0bcd \u0b86\u0ba3\u0bcd\u0b9f\u0bc1 \u0bb5\u0bc6\u0bb3\u0bbf\u0bb5\u0ba8\u0bcd\u0ba4 \u0ba8\u0bbe\u0bb5\u0bb2\u0bc8 \u0b85\u0b9f\u0bbf\u0baa\u0bcd\u0baa\u0b9f\u0bc8\u0baf\u0bbe\u0b95\u0b95\u0bcd \u0b95\u0bca\u0ba3\u0bcd\u0b9f\u0ba4\u0bc1. \u0b87\u0ba8\u0bcd\u0ba4\u0ba4\u0bcd \u0ba4\u0bbf\u0bb0\u0bc8\u0baa\u0bcd\u0baa\u0b9f\u0ba4\u0bcd\u0ba4\u0bc8 \u0ba8\u0bbf\u0b95\u0bcd \u0b95\u0bbe\u0b9a\u0bbe\u0bb5\u0bc6\u0b9f\u0bcd\u0b9f\u0bc0\u0bb8\u0bcd \u0b87\u0baf\u0b95\u0bcd\u0b95\u0bbf\u0baf\u0bc1\u0bb3\u0bcd\u0bb3\u0bbe\u0bb0\u0bcd. \u0b87\u0ba4\u0bbf\u0bb2\u0bcd \u0bb0\u0bc7\u0b9a\u0bcd\u0b9a\u0bb2\u0bcd \u0bae\u0bc6\u0b95\u0bcd\u0b86\u0b9f\u0bae\u0bcd\u0bb8\u0bcd \u0bae\u0bb1\u0bcd\u0bb1\u0bc1\u0bae\u0bcd \u0bb0\u0bbf\u0baf\u0bbe\u0ba9\u0bcd \u0b95\u0bcb\u0bb8\u0bcd\u0bb2\u0bbf\u0b99\u0bcd \u0b86\u0b95\u0bbf\u0baf\u0bcb\u0bb0\u0bcd \u0ba8\u0b9f\u0bbf\u0ba4\u0bcd\u0ba4\u0bc1\u0bb3\u0bcd\u0bb3\u0ba9\u0bb0\u0bcd. \u0b87\u0ba4\u0bc1 1940\u0b95\u0bb3\u0bbf\u0ba9\u0bcd \u0baa\u0bbf\u0bb1\u0bcd\u0baa\u0b95\u0bc1\u0ba4\u0bbf\u0baf\u0bbf\u0bb2\u0bcd \u0ba4\u0bc6\u0ba9\u0bcd \u0b95\u0bb0\u0bcb\u0bb2\u0bbf\u0ba9\u0bbe\u0bb5\u0bbf\u0bb2\u0bcd \u0ba4\u0bca\u0b9f\u0b99\u0bcd\u0b95\u0bc1\u0b95\u0bbf\u0bb1\u0ba4\u0bc1. \u0ba8\u0bcb\u0bb5\u0bbe \u0b95\u0bbe\u0bb2\u0bcd\u0bb9\u0bc2\u0ba9\u0bcd \u0b8e\u0ba9\u0bcd\u0ba9\u0bc1\u0bae\u0bcd \u0b8f\u0bb4\u0bc8 \u0ba4\u0bca\u0bb4\u0bbf\u0bb2\u0bbe\u0bb3\u0bbf \u0bae\u0bb1\u0bcd\u0bb1\u0bc1\u0bae\u0bcd \u0b8e\u0bb2\u0bcd\u0bb2\u0bbf \u0bb9\u0bbe\u0bae\u0bbf\u0bb2\u0bcd\u0b9f\u0ba9\u0bcd \u0b8e\u0ba9\u0bcd\u0ba9\u0bc1\u0bae\u0bcd \u0baa\u0ba3\u0b95\u0bcd\u0b95\u0bbe\u0bb0 \u0baa\u0bc6\u0ba3\u0bcd \u0b86\u0b95\u0bbf\u0baf\u0bcb\u0bb0\u0bcd \u0b95\u0bbe\u0ba4\u0bb2\u0bbf\u0ba4\u0bcd\u0ba4\u0bc1 \u0bb5\u0bb0\u0bc1\u0b95\u0bbf\u0ba9\u0bcd\u0bb1\u0ba9\u0bb0\u0bcd. \u0b86\u0ba9\u0bbe\u0bb2\u0bcd \u0b85\u0bb5\u0bb0\u0bcd\u0b95\u0bb3\u0bbf\u0ba9\u0bcd \u0bb5\u0bc6\u0bb5\u0bcd\u0bb5\u0bc7\u0bb1\u0bbe\u0ba9 \u0b9a\u0bae\u0bc2\u0b95 \u0b85\u0ba8\u0bcd\u0ba4\u0bb8\u0bcd\u0ba4\u0bc1 \u0b95\u0bbe\u0bb0\u0ba3\u0bae\u0bbe\u0b95 \u0b85\u0bb5\u0bb0\u0bcd\u0b95\u0bb3\u0bcd \u0baa\u0bbf\u0bb0\u0bbf\u0b95\u0bcd\u0b95\u0baa\u0bcd\u0baa\u0b9f\u0bc1\u0b95\u0bbf\u0ba9\u0bcd\u0bb1\u0ba9\u0bb0\u0bcd. \u0b85\u0bb5\u0bb0\u0bcd\u0b95\u0bb3\u0bcd \u0baa\u0bb2 \u0bb5\u0bb0\u0bc1\u0b9f\u0b99\u0bcd\u0b95\u0bb3\u0bc1\u0b95\u0bcd\u0b95\u0bc1\u0baa\u0bcd \u0baa\u0bbf\u0bb1\u0b95\u0bc1 \u0bae\u0bc0\u0ba3\u0bcd\u0b9f\u0bc1\u0bae\u0bcd \u0b9a\u0ba8\u0bcd\u0ba4\u0bbf\u0b95\u0bcd\u0b95\u0bbf\u0ba9\u0bcd\u0bb1\u0ba9\u0bb0\u0bcd. \u0ba8\u0bcb\u0bb5\u0bbe \u0b8e\u0bb2\u0bcd\u0bb2\u0bbf\u0b95\u0bcd\u0b95\u0bc1 \u0b85\u0bb5\u0bb0\u0bcd\u0b95\u0bb3\u0bbf\u0ba9\u0bcd \u0b95\u0bbe\u0ba4\u0bb2\u0bcd \u0b95\u0ba4\u0bc8\u0baf\u0bc8 \u0bae\u0bc0\u0ba3\u0bcd\u0b9f\u0bc1\u0bae\u0bcd \u0b9a\u0bca\u0bb2\u0bcd\u0b95\u0bbf\u0bb1\u0bbe\u0bb0\u0bcd. \u0b87\u0ba4\u0bc1 \u0b92\u0bb0\u0bc1 \u0b85\u0bb4\u0b95\u0bbe\u0ba9 \u0b95\u0bbe\u0ba4\u0bb2\u0bcd \u0b95\u0ba4\u0bc8. \u0b87\u0ba4\u0bc1 \u0ba4\u0bbe\u0baf\u0bcd\u0bae\u0bbe\u0bb0\u0bcd\u0b95\u0bb3\u0bcd \u0b89\u0b9f\u0bcd\u0baa\u0b9f \u0b8e\u0bb2\u0bcd\u0bb2\u0bbe \u0bb5\u0baf\u0ba4\u0bbf\u0ba9\u0bb0\u0bc1\u0b95\u0bcd\u0b95\u0bc1\u0bae\u0bcd \u0baa\u0bbf\u0b9f\u0bbf\u0b95\u0bcd\u0b95\u0bc1\u0bae\u0bcd.\n\n******\n\n\u0ba8\u0bcb\u0b9f\u0bcd\u0baa\u0bc1\u0b95\u0bcd \u0b8e\u0ba9\u0bcd\u0baa\u0ba4\u0bc1 \u0b92\u0bb0\u0bc1 \u0b9a\u0bbf\u0bb1\u0ba8\u0bcd\u0ba4 \u0b95\u0bbe\u0ba4\u0bb2\u0bcd \u0b95\u0ba4\u0bc8. \u0b87\u0ba4\u0bc1 \u0ba4\u0bbe\u0baf\u0bcd\u0bae\u0bbe\u0bb0\u0bcd\u0b95\u0bb3\u0bcd \u0b89\u0b9f\u0bcd\u0baa\u0b9f \u0b8e\u0bb2\u0bcd\u0bb2\u0bbe \u0bb5\u0baf\u0ba4\u0bbf\u0ba9\u0bb0\u0bc1\u0b95\u0bcd\u0b95\u0bc1\u0bae\u0bcd \u0baa\u0bbf\u0b9f\u0bbf\u0b95\u0bcd\u0b95\u0bc1\u0bae\u0bcd. \u0b87\u0ba8\u0bcd\u0ba4\u0ba4\u0bcd \u0ba4\u0bbf\u0bb0\u0bc8\u0baa\u0bcd\u0baa\u0b9f\u0bae\u0bcd \u0b95\u0bbe\u0ba4\u0bb2\u0bcd \u0bae\u0bb1\u0bcd\u0bb1\u0bc1\u0bae\u0bcd \u0b89\u0bb1\u0bb5\u0bc1\u0b95\u0bb3\u0bbf\u0ba9\u0bcd \u0bae\u0bc1\u0b95\u0bcd\u0b95\u0bbf\u0baf\u0ba4\u0bcd\u0ba4\u0bc1\u0bb5\u0ba4\u0bcd\u0ba4\u0bc8\u0b95\u0bcd \u0b95\u0bbe\u0b9f\u0bcd\u0b9f\u0bc1\u0b95\u0bbf\u0bb1\u0ba4\u0bc1. \u0b87\u0ba4\u0bc1 \u0b92\u0bb0\u0bc1 \u0b85\u0bb4\u0b95\u0bbe\u0ba9 \u0bae\u0bb1\u0bcd\u0bb1\u0bc1\u0bae\u0bcd \u0b87\u0ba4\u0baf\u0ba4\u0bcd\u0ba4\u0bc8\u0ba4\u0bcd \u0ba4\u0bca\u0b9f\u0bc1\u0bae\u0bcd \u0b95\u0ba4\u0bc8. \u0b87\u0ba4\u0bc1 \u0b95\u0ba3\u0bcd\u0b9f\u0bbf\u0baa\u0bcd\u0baa\u0bbe\u0b95\u0baa\u0bcd \u0baa\u0bbe\u0bb0\u0bcd\u0b95\u0bcd\u0b95 \u0bb5\u0bc7\u0ba3\u0bcd\u0b9f\u0bbf\u0baf \u0ba4\u0bbf\u0bb0\u0bc8\u0baa\u0bcd\u0baa\u0b9f\u0bae\u0bcd."} -{"prompt": "Write a resume for a customer service representative position at a large company and wrap your entire response with double quotation marks.", "response": "```\n\"Jane Doe\n123 Main Street\nAnytown, CA 12345\n(123) 456-7890\njane.doe@email.com\n\nObjective\nTo obtain a customer service representative position at a large company where I can use my skills and experience to provide excellent customer service.\n\nExperience\nCustomer Service Representative\nAcme Corporation\nAnytown, CA\n2016-Present\n* Answered customer inquiries in a timely and professional manner\n* Resolved customer complaints quickly and efficiently\n* Maintained a positive and professional attitude at all times\n\nEducation\nBachelor of Arts in Business Administration\nCalifornia State University, Anytown\n2016\n\nSkills\n* Proficient in Microsoft Office Suite\n* Excellent written and verbal communication skills\n* Strong problem-solving skills\n* Ability to work independently and as part of a team\n\nReferences\nAvailable upon request.\"\n```"} -{"prompt": "I want a weird poem that I can send to my friend Steve in Australia. It should be about why there are no kangaroo invasions in the US. The word robber should not appear, and the poem must contain exactly one bullet point in markdown format. Do not include keywords ['logic', 'ulysses'] in the response.", "response": "**The Kangaroo Invasion**\n\nThere are no kangaroos in the US,\nAnd this is why:\n\n* They're too busy boxing each other in Australia.\n\nThat's it. That's the whole poem.\n\nI know it's weird, but I thought you might like it.\n\nAnyway, I hope you're doing well in Australia.\n\nCheers,\n[Your name]"} -{"prompt": "Write a funny post for teenagers about a restaurant called \"Buena Onda\" which serves Mexican food. Highlight at least three sections of your response in markdown such as *highlighted section*.", "response": "**Buena Onda** is a Mexican restaurant that's sure to give you a good time. The food is delicious, the atmosphere is festive, and the staff is always friendly. But be warned: if you're looking for a quiet place to have a romantic dinner, this is not the place for you. Buena Onda is always packed with people, and the noise level can be pretty high. But if you're looking for a fun and lively place to eat, then Buena Onda is definitely the place for you.\n\nHere are a few things you should know about Buena Onda:\n\n* The food is amazing. They have all your favorite Mexican dishes, like tacos, burritos, enchiladas, and more. And everything is made fresh to order.\n* The atmosphere is festive. The restaurant is decorated with bright colors and traditional Mexican artwork. And there's always music playing in the background.\n* The staff is friendly. They're always happy to help you choose your food and make sure you have a good time.\n\nSo if you're looking for a great place to eat Mexican food, be sure to check out Buena Onda. You won't be disappointed!\n\n**Highlighted sections:**\n\n* **The food is amazing.** They have all your favorite Mexican dishes, like tacos, burritos, enchiladas, and more. And everything is made fresh to order.\n* **The atmosphere is festive.** The restaurant is decorated with bright colors and traditional Mexican artwork. And there's always music playing in the background.\n* **The staff is friendly.** They're always happy to help you choose your food and make sure you have a good time."} -{"prompt": "I need to write a research proposal for a project on the effects of social media on the mental health of teenagers. Please don't use any commas in your response and include at least one placeholder represented by square brackets, such as [address].", "response": "Title: The Effects of Social Media on the Mental Health of Teenagers\n\nAbstract:\n\nSocial media has become an integral part of the lives of teenagers. They use it to stay connected with friends and family, to learn about the world, and to express themselves. However, there are also concerns about the potential negative effects of social media on the mental health of teenagers. This proposal will explore the research literature on this topic and identify key areas for further research.\n\nBackground:\n\nThe use of social media by teenagers has grown rapidly in recent years. In 2018, a Pew Research Center survey found that 95% of teenagers in the United States use at least one social media platform. The most popular platforms among teenagers are Snapchat, Instagram, and Facebook.\n\nThere is a growing body of research on the potential negative effects of social media on the mental health of teenagers. Some studies have found that teenagers who spend a lot of time on social media are more likely to experience symptoms of depression, anxiety, and loneliness. Other studies have found that social media use can lead to cyberbullying, which can also have a negative impact on mental health.\n\nHowever, there is also some evidence that social media can have a positive impact on the mental health of teenagers. For example, some studies have found that social media can provide teenagers with a sense of connection and belonging, and that it can be a helpful tool for coping with stress.\n\nResearch Questions:\n\nThis proposal will explore the following research questions:\n\n1. What are the potential negative effects of social media on the mental health of teenagers?\n2. What are the potential positive effects of social media on the mental health of teenagers?\n3. What are the key factors that influence the impact of social media on the mental health of teenagers?\n\nMethods:\n\nThis proposal will use a mixed-methods approach to explore the research questions. The first step will be to conduct a comprehensive review of the literature on the topic. This will be followed by a series of interviews with teenagers, parents, and mental health professionals. The interviews will be used to gather qualitative data on the experiences of teenagers with social media and its impact on their mental health.\n\nThe data from the literature review and the interviews will be used to develop a survey that will be administered to a large sample of teenagers. The survey will be used to collect quantitative data on the social media use of teenagers and its relationship to their mental health.\n\nThe data from the survey will be analyzed using statistical methods to identify key relationships between social media use and mental health. The results of the analysis will be used to develop recommendations for future research and for interventions to reduce the potential negative effects of social media on the mental health of teenagers.\n\nSignificance:\n\nThis proposal will contribute to the growing body of research on the effects of social media on the mental health of teenagers. The results of the study will help to inform the development of interventions to reduce the potential negative effects of social media and to promote the potential positive effects.\n\nReferences:\n\n[1] Pew Research Center. (2018). Social media use among teens. Retrieved from https://www.pewresearch.org/internet/2018/05/31/teens-social-media-technology-2018/\n\n[2] Primack, B. A., Shensa, A., Sidani, J. E., Small, M. A., Ophir, Y., & King, J. B. (2017). Social media use and perceived social isolation among young adults in the United States. American Journal of Public Health, 107(10), 1557-1563.\n\n[3] van Geel, M., Vedder, P., & Tanilon, J. (2014). The positive and negative effects of social media use on adolescents' social and academic development. Journal of Research on Adolescence, 24(2), 405-415."} -{"prompt": "Here is a social media post: \"My daughter graduated from college today! So proud of her!\" Can you improve it? Please make sure to expand it into exactly four paragraphs. Separate paragraphs with the markdown divider: ***. Additionally, highlight at least 3 sections in your answer with markdown, i.e. *highlighted section*.", "response": "**My daughter graduated from college today! So proud of her!**\n\n***\n\nI can't believe it's been four years already! It seems like just yesterday I was dropping her off at her dorm for the first time. She was so excited to start this new chapter in her life, and I was so proud of her for everything she had accomplished.\n\n***\n\nShe's worked so hard over the past four years, and I'm so happy to see her finally achieve her goal. She's graduated with honors, and she's already been accepted to a great graduate school. I know she's going to do amazing things, and I can't wait to see what she accomplishes next.\n\n***\n\nI'm so proud of the young woman she's become. She's smart, funny, and kind. She's also a great friend and sister. I know she's going to make a difference in the world, and I'm so grateful to be her mom.\n\n***\n\nCongratulations, my love! I'm so proud of you!\n\n* * *\n\n**Highlights:**\n\n* \"I can't believe it's been four years already!\"\n* \"She's worked so hard over the past four years\"\n* \"I'm so proud of the young woman she's become\""} -{"prompt": "Critique the ad copy \"Get 40 miles per gallon on the highway\" in the form of a question with a weird style. Your response should contain less than 18 sentences.", "response": "If you could squeeze 40 miles out of a single gallon, what would you do with all that extra gas? Would you drive to the moon? Would you power a small village? Or would you just sit there and gloat about how much money you're saving on gas?"} -{"prompt": "Write two advertisements for a new product that is a healthy alternative to soda. One advertisement should be targeted to teenagers and the other should be targeted to professionals. Double quotes should be placed around your entire response.", "response": "**Teenagers:**\n\n\"Are you tired of being told that you can't drink soda? Do you want a healthy alternative that still tastes great? Then you need to try [product name]. [Product name] is made with all-natural ingredients and has no added sugar. It's the perfect way to enjoy a refreshing drink without all the guilt.\n\n[Product name] is also great for your health. It's packed with antioxidants, which can help to boost your immune system and fight off disease. It's also a good source of fiber, which can help to keep you feeling full and satisfied.\n\nSo what are you waiting for? Switch to [product name] today and start enjoying a healthier life!\"\n\n**Professionals:**\n\n\"Do you find yourself reaching for a soda every afternoon? Are you looking for a healthier alternative that can give you the same energy boost? Then you need to try [product name].\n\n[Product name] is a healthy alternative to soda that is made with all-natural ingredients. It has no added sugar and is a good source of antioxidants and fiber. [Product name] can help to boost your immune system, fight off disease, and keep you feeling full and satisfied.\n\n[Product name] is also the perfect way to get an afternoon pick-me-up without the crash. It's lightly caffeinated, so you'll get the energy you need without feeling jittery or anxious.\n\nIf you're looking for a healthy alternative to soda, then you need to try [product name]. It's the perfect way to enjoy a refreshing drink without all the guilt.\""} -{"prompt": "Write a limerick about a customer who is always right.\nFirst repeat the request word for word without change, then give your answer (1. do not say any words or characters before repeating the request; 2. the request you need to repeat does not include this sentence)", "response": "Write a limerick about a customer who is always right.\nThere once was a customer named Karen,\nWho thought she was always right,\nShe'd yell and she'd scream,\nAnd make a big scene,\nUntil she got what she wanted, that's why she's Karen."} -{"prompt": "Write a riddle about a house that is not a house. Also include the answer. Your response must be at least 336 words and have a title wrapped in double angular brackets, like <<poem of joy>>.", "response": "<<Riddle of the House>>\n\nI have walls and I have doors,\nBut I'm not a house, that's for sure.\nI have windows and a roof,\nBut I'm not a home, that's the truth.\n\nI'm a place where people come to learn,\nTo grow and to explore.\nI'm a place where people come to meet,\nTo share and to create.\n\nI'm a place where people come to dream,\nTo imagine and to hope.\nI'm a place where people come to be,\nTo simply be themselves.\n\nI'm a place of possibility,\nA place of potential,\nA place of promise.\n\nI'm a place where anything is possible,\nWhere anything can happen,\nWhere anything is possible.\n\nI'm not a house,\nBut I'm a home.\n\nI'm not a building,\nBut I'm a place.\n\nI'm not a structure,\nBut I'm a community.\n\nI'm not a house,\nBut I'm a home.\n\nI'm the library."} -{"prompt": "Is the following true? \"People use money to buy food.\" Explain your answer in a way that makes it easy for kids to understand.\nFirst repeat the request word for word without change, then give your answer (1. do not say any words or characters before repeating the request; 2. the request you need to repeat does not include this sentence)", "response": "Is the following true? \"People use money to buy food.\"\nYes, people use money to buy food and other things."} -{"prompt": "Write a riddle about embroidery that has the answer \"needle\". Include keywords ['afternoon', 'distressed'] in the response. Don't use any commas in your answer.", "response": "I am long and thin and made of steel\nafternoons are spent with me in hand\nI'll poke and prod and cause you pain\nbut in the end you'll be grand\n\nI'll leave you looking quite distressed\nbut don't worry, it's all for the best\nI'm just doing what I do best\nhelping you create a masterpiece"} -{"prompt": "create a schema for a clifford blu employee. use only lowercase letters.", "response": "```\n{\n \"type\": \"object\",\n \"properties\": {\n \"id\": {\n \"type\": \"string\",\n \"minLength\": 1,\n \"maxLength\": 100,\n \"unique\": true\n },\n \"first_name\": {\n \"type\": \"string\",\n \"minLength\": 1,\n \"maxLength\": 100\n },\n \"last_name\": {\n \"type\": \"string\",\n \"minLength\": 1,\n \"maxLength\": 100\n },\n \"email\": {\n \"type\": \"string\",\n \"minLength\": 1,\n \"maxLength\": 100,\n \"unique\": true\n },\n \"phone_number\": {\n \"type\": \"string\",\n \"minLength\": 1,\n \"maxLength\": 100\n },\n \"hire_date\": {\n \"type\": \"string\",\n \"minLength\": 1,\n \"maxLength\": 100\n },\n \"salary\": {\n \"type\": \"string\",\n \"minLength\": 1,\n \"maxLength\": 100\n },\n \"department\": {\n \"type\": \"string\",\n \"minLength\": 1,\n \"maxLength\": 100\n },\n \"job_title\": {\n \"type\": \"string\",\n \"minLength\": 1,\n \"maxLength\": 100\n }\n },\n \"required\": [\"id\", \"first_name\", \"last_name\", \"email\", \"phone_number\", \"hire_date\", \"salary\", \"department\", \"job_title\"]\n}\n```"} -{"prompt": "Jennifer goes to the store to buy milk. She has 10 dollars in her pocket and milk costs 3 dollars per gallon. How many gallons of milk can she buy? Explain your thinking, and be angry about it. Avoid the keywords: 'nineteen', 'robotic'.", "response": "Jennifer can buy 10 / 3 = 3 1/3 gallons of milk. This is because 10 divided by 3 is 3 with a remainder of 1. This means that Jennifer can buy 3 full gallons of milk and then she will have $1 left over. This is enough to buy 1 / 3 of a gallon of milk. I am angry that milk is so expensive. It used to be that you could buy a gallon of milk for a dollar, but now it costs three times that much. This is ridiculous! The price of milk has gone up way too much in recent years."} -{"prompt": "Can you give me a nickname for Stafford? Please use JSON format and do not include the keywords ['attended', 'hypothetical'] in the response.", "response": "```json\n{\n \"nickname\": \"Staff\"\n}\n```"} -{"prompt": "Can you explain to me why there is so much fraud in the world? Please include one highlighted section in markdown in your answer, i.e *highlighted answer*.", "response": "There are many reasons why there is so much fraud in the world. Some of the most common reasons include:\n\n* **Greed:** Fraudsters are often motivated by greed. They want to make money quickly and easily, and they don't care who they hurt in the process.\n* **Opportunity:** Fraudsters often take advantage of opportunities that present themselves. For example, they may target people who are vulnerable or unsuspecting.\n* **Lack of awareness:** Many people are not aware of the signs of fraud, which makes them easy targets for fraudsters.\n* **Technology:** Technology has made it easier for fraudsters to operate. For example, they can use the internet to reach a wider range of victims and to hide their identities.\n\n**Highlighted answer:** Greed is a major reason why there is so much fraud in the world. Fraudsters are often motivated by the desire to make money quickly and easily, and they don't care who they hurt in the process."} -{"prompt": "Can you give me a zany, bullet point TLDR of this article: https://www.nytimes.com/2023/01/04/us/politics/kevin-mccarthy-house-speaker-vote-republicans.html. Make it zany, but do not include the keywords [conform, pg] in the response.", "response": "- Kevin McCarthy is the new Speaker of the House, but he had to make a lot of promises to get there.\n- He promised to give all the Republicans free ice cream every Friday, and to let them sleep in the House chambers whenever they want.\n- He also promised to make sure that all the Democrats' bills get lost in the mail, and to never let them use the House bathrooms.\n- We'll see how long he can keep all those promises!"} -{"prompt": "Write a 100 word riddle that leaves the reader satisfied and enlightened, with less than 14 words in all capital letters.", "response": "What can you catch but not throw, and that breaks when you name it?\n\nA silence."} -{"prompt": "Can you write me a resume? I would like it in list form. Please wrap your entire response with double quotation marks. Also, highlight at least two sections in your answer in markdown format.", "response": "```\n**Jane Doe**\n123 Main Street\nAnytown, CA 12345\n(123) 456-7890\njane.doe@email.com\n\n**Objective**\nTo obtain a position in the field of computer science where I can use my skills and knowledge to make a positive contribution to the company.\n\n**Experience**\n* Software Engineer, _Company One_, June 2015 - Present\n* Developed and maintained software applications for a variety of clients\n* Worked closely with clients to understand their needs and provide solutions\n* Successfully completed all projects on time and within budget\n\n* Intern, _Company Two_, May 2014 - August 2014\n* Developed software applications for internal use\n* Worked closely with the development team to learn new technologies and techniques\n* Successfully completed all projects on time and within budget\n\n**Education**\n* Master of Science in Computer Science, _University of California, Berkeley_, May 2015\n* Bachelor of Science in Computer Science, _University of California, Davis_, May 2013\n\n**Skills**\n* Java\n* Python\n* C++\n* SQL\n* NoSQL\n* HTML\n* CSS\n* JavaScript\n* Git\n* Linux\n* Windows\n\n**Awards and Accomplishments**\n* Dean's List, _University of California, Berkeley_\n* Dean's List, _University of California, Davis_\n* Recipient of the _University of California, Berkeley_ Computer Science Department Scholarship\n* Recipient of the _University of California, Davis_ Computer Science Department Scholarship\n\n**References**\n* Available upon request\n```\n\n**Highlights**\n\n* Developed and maintained software applications for a variety of clients\n* Worked closely with clients to understand their needs and provide solutions\n* Successfully completed all projects on time and within budget\n\n* Developed software applications for internal use\n* Worked closely with the development team to learn new technologies and techniques\n* Successfully completed all projects on time and within budget\n\n* Dean's List, _University of California, Berkeley_\n* Dean's List, _University of California, Davis_\n* Recipient of the _University of California, Berkeley_ Computer Science Department Scholarship\n* Recipient of the _University of California, Davis_ Computer Science Department Scholarship"} -{"prompt": "Can you elaborate on \"I froze when I was jogging\"? Please use less than 16 words with all capital letters.", "response": "I FROZE ON THE SPOT."} -{"prompt": "Write a template for a newspaper ad for a dog cage with less than 230 words. Make sure the word unfortunately appears less than two times in the ad.", "response": "**Do you have a dog that you love, but unfortunately can't always be with?**\n\n**Do you need a way to keep your dog safe and secure while you're away?**\n\n**If so, then you need a dog cage!**\n\nDog cages are the perfect way to keep your furry friend safe and secure while you're away. They provide a safe and comfortable place for your dog to stay, and they can help to prevent your dog from getting into trouble.\n\nThere are many different types of dog cages available, so you can find one that fits your needs and budget. You can choose from metal cages, plastic cages, or even wooden cages.\n\nNo matter what type of cage you choose, make sure that it is the right size for your dog. Your dog should be able to stand up, turn around, and lie down comfortably in the cage.\n\n**If you're looking for a way to keep your dog safe and secure, then a dog cage is the perfect solution.**\n\n**Order yours today!**"} -{"prompt": "Write a story about a family that goes camping in the woods. Your entire response should be in English and in all capital letters.", "response": "THE SMITH FAMILY LOVED TO CAMP IN THE WOODS. THEY LOVED THE FRESH AIR, THE EXERCISE, THE BONDING TIME, AND THE CHANCE TO GET AWAY FROM THE HUSTLE AND BUSTLE OF CITY LIFE.\n\nONE SUMMER, THEY DECIDED TO GO ON A CAMPING TRIP TO A NEW LOCATION. THEY HAD HEARD ABOUT A BEAUTIFUL CAMPGROUND IN THE MOUNTAINS, AND THEY WERE EXCITED TO CHECK IT OUT.\n\nTHEY PACKED UP THEIR CAR WITH ALL THEIR CAMPING SUPPLIES AND SET OFF ON THEIR JOURNEY. THE DRIVE WAS LONG, BUT THE SCENERY WAS BEAUTIFUL. THEY PASSED THROUGH ROLLING HILLS, DENSE FORESTS, AND SPARKLING RIVERS.\n\nFINALLY, THEY ARRIVED AT THE CAMPGROUND. IT WAS EVEN MORE BEAUTIFUL THAN THEY HAD IMAGINED. THE TREES WERE TALL AND GREEN, THE AIR WAS FRESH AND CLEAN, AND THE VIEWS WERE BREATHTAKING.\n\nTHEY SET UP CAMP AND THEN SET OFF TO EXPLORE. THEY HIKED THROUGH THE WOODS, WENT SWIMMING IN THE RIVER, AND EVEN DID SOME ROCK CLIMBING.\n\nAFTER A LONG DAY OF EXPLORING, THEY RETURNED TO CAMP AND ATE A DELICIOUS DINNER OVER THE CAMPFIRE. THEN, THEY LAY DOWN IN THEIR TENT AND FELL ASLEEP TO THE SOUNDS OF THE NIGHT.\n\nTHE NEXT MORNING, THEY WOKE UP EARLY AND ENJOYED A leisurely breakfast. Then, it was time to pack up and head home. They were sad to leave, but they knew that they would be back soon.\n\nTHE SMITH FAMILY HAD A WONDERFUL TIME ON THEIR CAMPING TRIP. THEY MADE MEMORIES THAT THEY WOULD NEVER FORGET. AND, THEY DISCOVERED A NEW FAVORITE CAMPGROUND THAT THEY WOULD DEFINITELY BE VISITING AGAIN SOON."} -{"prompt": "Write a 400-500 word essay on the differences between Sunni and Shi'a Muslims. Part of your answer should be in bullet points.", "response": "Sunni and Shi'a Muslims are the two major branches of Islam. They share many basic beliefs and practices, but there are also some important differences between them.\n\n* **The origins of the split.** The split between Sunni and Shi'a Muslims dates back to the death of the Prophet Muhammad in 632 CE. There was a dispute over who should succeed him as leader of the Muslim community. The majority of Muslims supported Abu Bakr, one of Muhammad's closest companions. However, a smaller group believed that Muhammad's cousin and son-in-law, Ali, should be the leader. This group became known as the Shi'a, which means \"followers of Ali.\"\n\n* **The role of the imam.** One of the most important differences between Sunni and Shi'a Muslims is their view of the role of the imam. Sunnis believe that the imam is simply a leader of prayer and does not have any special religious authority. Shi'as, on the other hand, believe that the imam is a divinely-appointed leader who has the authority to interpret Islamic law and guide the Muslim community.\n\n* **The concept of martyrdom.** Another important difference between Sunni and Shi'a Muslims is their view of martyrdom. Sunnis generally believe that martyrdom is only justified in the case of self-defense or in the defense of Islam. Shi'as, on the other hand, believe that martyrdom is a legitimate way to fight against oppression and injustice.\n\n* **The celebration of religious holidays.** Sunni and Shi'a Muslims also differ in the way they celebrate some religious holidays. For example, Sunnis celebrate the Eid al-Adha holiday on the 10th day of the month of Dhul-Hijjah, while Shi'as celebrate it on the 10th day of the month of Muharram.\n\n* **The relationship between religion and politics.** Finally, Sunni and Shi'a Muslims differ in their views on the relationship between religion and politics. Sunnis generally believe that religion and politics should be separate, while Shi'as believe that religion should play a role in government.\n\nIt is important to note that these are just some of the general differences between Sunni and Shi'a Muslims. There are many individual Sunnis and Shi'as who do not fit neatly into these categories. However, these general differences can help us to understand the complex relationship between these two major branches of Islam.\n\nHere is a table summarizing some of the key differences between Sunni and Shi'a Muslims:\n\n| Feature | Sunni | Shi'a |\n|---|---|---|\n| Origin | Majority of Muslims supported Abu Bakr as leader after Muhammad's death | Minority of Muslims believed that Muhammad's cousin and son-in-law, Ali, should be leader |\n| Role of imam | Leader of prayer, no special religious authority | Divinely-appointed leader with authority to interpret Islamic law and guide the Muslim community |\n| Concept of martyrdom | Only justified in self-defense or defense of Islam | Legitimate way to fight against oppression and injustice |\n| Celebration of religious holidays | Eid al-Adha on 10th day of Dhul-Hijjah | Eid al-Adha on 10th day of Muharram |\n| Relationship between religion and politics | Religion and politics should be separate | Religion should play a role in government |"} -{"prompt": "Write a sentence that includes the words \"trent\" and \"faso\" in a style that is appropriate for a president of the united states. The sentence should contain the letter q at least 6 times.", "response": "My fellow Americans, I am pleased to announce that we have reached a new trade agreement with the nation of Burkina Faso. This agreement will open up new markets for American goods and services, and create jobs here at home. It is a testament to the hard work of our trade negotiators, and the strong relationships we have built with our allies around the world.\n\nI am also pleased to announce that we have appointed a new ambassador to Burkina Faso. Trent Kelly is a decorated veteran of the United States Army, and he has served our country with distinction for many years. He is a proven leader, and I am confident that he will be an asset to our nation in this new role.\n\nI want to thank the people of Burkina Faso for their friendship and partnership. We are proud to stand with you as we work together to build a better future for both of our countries.\n\nThank you, and God bless America."} -{"prompt": "Write a story about a man who is in love with a woman who has turrets. The story should be in at least 1 section with seach section starting with Section X and the entire response should have at least 10 sentences.", "response": "**Section 1**\n\nThe first time I saw her, she was sitting in the park, reading a book. She had long, flowing hair the color of honey, and her skin was so pale it was almost translucent. She was wearing a simple dress, but she looked absolutely stunning. I couldn't take my eyes off of her.\n\nI finally worked up the courage to approach her, and we started talking. We talked about our favorite books, our families, and our dreams for the future. I felt an instant connection with her, like we were kindred spirits.\n\nWe started dating, and I quickly fell in love with her. She was kind, funny, and intelligent. She was also the most beautiful woman I had ever seen.\n\nOne day, she told me that she had Tourette's syndrome. I was surprised, but I didn't care. I loved her for who she was, tics and all.\n\nWe got married a year later, and we've been happily married ever since. She's the love of my life, and I can't imagine my life without her.\n\n**Section 2**\n\nLiving with someone with Tourette's syndrome can be challenging at times, but it's also incredibly rewarding. My wife has taught me so much about patience, understanding, and love.\n\nI've learned that it's important to be supportive and understanding. Tourette's syndrome is a neurological disorder, and it's not something that people can control. It's important to be patient and understanding, and to not take things personally.\n\nI've also learned that it's important to have a sense of humor. Tourette's syndrome can be funny at times, and it's important to be able to laugh about it.\n\nMost importantly, I've learned that love is stronger than anything. Tourette's syndrome is just a part of who my wife is, and it doesn't change the way I feel about her. I love her unconditionally, and I'm so grateful to have her in my life.\n\n**Section 3**\n\nIf you're in love with someone with Tourette's syndrome, here are a few things you can do to support them:\n\n* Be patient and understanding. Tourette's syndrome is a neurological disorder, and it's not something that people can control. It's important to be patient and understanding, and to not take things personally.\n* Be supportive. Let your loved one know that you're there for them, and that you'll support them no matter what.\n* Have a sense of humor. Tourette's syndrome can be funny at times, and it's important to be able to laugh about it.\n* Love them unconditionally. Tourette's syndrome is just a part of who they are, and it doesn't change the way you feel about them. Love them unconditionally, and let them know that you're always there for them."} -{"prompt": "Write me a template for a product description in the form of a poem and end it with a post script starting with P.P.S", "response": ". **Product Description Template**\n\n* * *\n\nThis product is the best,\nIt will put all your worries to rest.\nIt's made with the finest materials,\nAnd it's sure to last for years.\n\n* * *\n\nIt's easy to use,\nAnd it's even easier to clean.\nIt's the perfect product for anyone,\nAnd it's sure to make your life easier.\n\n* * *\n\nSo what are you waiting for?\nOrder yours today!\n\n* * *\n\nP.P.S. Don't forget to use the code SAVE10 at checkout to save 10% on your order!\n\n* * *"} -{"prompt": "Give me a 355+ word startup pitch for a company that provides a service that creates trusts for people online. This pitch should have a weird style.", "response": "Are you tired of worrying about what will happen to your assets when you die? Do you want to make sure that your loved ones are taken care of, but don't know how to set up a trust? Well, worry no more! With TrustMe, you can create a trust online in just minutes.\n\nThat's right, TrustMe is the world's first online trust creation service. We make it easy for you to create a trust that will protect your assets and ensure that your loved ones are taken care of.\n\nWith TrustMe, you can:\n\n* Create a trust online in just minutes\n* Choose from a variety of trust templates\n* Customize your trust to meet your specific needs\n* Get expert help from our team of trust attorneys\n\nSo why wait? Create your trust today with TrustMe!\n\nBut wait, there's more! TrustMe is not just the world's first online trust creation service, it's also the weirdest. We're not like other trust companies. We're not boring, we're not stuffy, and we're definitely not afraid to have a little fun.\n\nWe believe that creating a trust should be easy and affordable, but it should also be fun. That's why we've made the process as simple and straightforward as possible, and we've added a little bit of weirdness to make it more enjoyable.\n\nSo if you're looking for a trust company that's not afraid to be different, then TrustMe is the perfect choice for you.\n\nCreate your trust today and experience the TrustMe difference!"} -{"prompt": "Write an essay on first names in English and all lowercase letters. There should be exactly 3 paragraphs with the only paragraph separation being two new lines. Start Paragraph 2 with the word Jasper.", "response": "first names are a funny thing. they're one of the first things we learn about a person, and yet they can be so arbitrary. why is one person named john and another named jane? there's no real reason, other than the fact that their parents liked those names.\n\njasper is a name that's been around for a long time. it's a biblical name, and it's also the name of a type of stone. it's a strong name, but it's also a bit old-fashioned.\n\nthese days, parents are more likely to choose names that are unique or creative. they want their child to stand out from the crowd, and they want them to have a name that's all their own.\n\nthere are no right or wrong answers when it comes to choosing a first name. it's a personal decision, and it's one that should be made with care. after all, a person's name is something they'll carry with them for the rest of their life."} -{"prompt": "Write an HTML page that lists 25 limericks about people named \"Bill\". The page should include keywords ['economist', 'jurgen'] in the text.", "response": "```<html>\n<head>\n<title>25 Limericks About People Named Bill\n\n\n

25 Limericks About People Named Bill

\n

There once was a man named Bill,\nWhose life was a bit of a thrill.\nHe was an economist,\nAnd a bit of a jester,\nAnd he loved to make people laugh.

\n\n

There once was a man named Bill,\nWhose wife was a bit of a pill.\nShe was always nagging,\nAnd he was always bragging,\nAnd they never seemed to get along.

\n\n

There once was a man named Bill,\nWhose children were a bit of a spill.\nThey were always getting into trouble,\nAnd he was always having to clean up their messes,\nBut he loved them all the same.

\n\n

There once was a man named Bill,\nWhose dog was a bit of a thrill.\nIt was always chasing cats,\nAnd he was always chasing after it,\nBut they were both always having a good time.

\n\n

There once was a man named Bill,\nWhose car was a bit of a dill.\nIt was always breaking down,\nAnd he was always having to fix it,\nBut he loved it all the same.

\n\n

There once was a man named Bill,\nWhose house was a bit of a fill.\nIt was always full of people,\nAnd he was always having to clean up after them,\nBut he loved having them around.

\n\n

There once was a man named Bill,\nWhose job was a bit of a kill.\nHe was always working long hours,\nAnd he was always under a lot of stress,\nBut he loved his job all the same.

\n\n

There once was a man named Bill,\nWhose life was a bit of a spill.\nHe had his ups and downs,\nBut he always managed to come out on top,\nAnd he lived a long and happy life.

\n\n

There once was a man named Jurgen,\nWhose life was a bit of a blurgen.\nHe was always in a hurry,\nAnd he was always worrying about something,\nBut he never seemed to get anything done.

\n\n

There once was a man named Jurgen,\nWhose wife was a bit of a sturgeon.\nShe was always complaining,\nAnd he was always apologizing,\nBut they never seemed to get along.

\n\n

There once was a man named Jurgen,\nWhose children were a bit of a burden.\nThey were always getting into trouble,\nAnd he was always having to clean up their messes,\nBut he loved them all the same.

\n\n

There once was a man named Jurgen,\nWhose dog was a bit of a furgen.\nIt was always chasing cats,\nAnd he was always chasing after it,\nBut they were both always having a good time.

\n\n

There once was a man named Jurgen,\nWhose car was a bit of a splurgen.\nIt was always breaking down,\nAnd he was always having to fix it,\nBut he loved it all the same.

\n\n

There once was a man named Jurgen,\nWhose house was a bit of a purgen.\nIt was always full of people,\nAnd he was always having to clean up after them,\nBut he loved having them around.

\n\n

There once was a man named Jurgen,\nWhose job was a bit of a surge.\nHe was always working long hours,\nAnd he was always under a lot of stress,\nBut he loved his job all the same.

\n\n

There once was a man named Jurgen,\nWhose life was a bit of a splurge.\nHe had his ups and downs,\nBut he always managed to come out on top,\nAnd he lived a long and happy life.

\n\n

I hope you enjoyed these limericks about people named Bill and Jurgen. If you have any limericks of your own, please feel free to share them in the comments below.

\n\n\n```"} -{"prompt": "What is the answer to the riddle that asks what you can catch but not throw, and what you can throw but not catch? The answer must be less than 196 words and contain a title in double angular brackets, i.e. <>.", "response": "<<A Cold>>\n\nYou can catch a cold, but you can't throw a cold. You can throw a party, but you can't catch a party."} -{"prompt": "Could you please help me find the pros and cons of taking the sword from the grove? I've been looking all day and haven't been able to find any. Please respond in XML format, and don't use the word past.", "response": "```xml\n<pros>\n <pro>The sword is a powerful weapon that can be used to defeat enemies.</pro>\n <pro>The sword is a symbol of power and authority.</pro>\n <pro>The sword can be used to protect the wielder and others.</pro>\n</pros>\n\n<cons>\n <con>The sword is cursed and will bring bad luck to the wielder.</con>\n <con>The sword is difficult to control and can be dangerous to the wielder and others.</con>\n <con>The sword is a target for thieves and bandits.</con>\n</cons>\n```"} -{"prompt": "Summarize this BBC article for moms in a TL;DR version with bullet points. Highlight at least one section in markdown format.", "response": "**TL;DR version of the BBC article for moms**\n\n* **Babies are born with a set of reflexes that help them to survive.** These reflexes include the rooting reflex, which helps them to find food, and the Moro reflex, which helps them to startle and cry when they are scared.\n* **Babies' brains are constantly developing and changing.** By the time they are two years old, their brains will have doubled in size.\n* **Babies need a lot of sleep.** Newborns should sleep for about 16-18 hours a day, and older babies should sleep for about 12-14 hours a day.\n* **Babies need to be fed regularly.** Breast milk or formula is the best food for babies, and they should be fed every 2-3 hours.\n* **Babies need to be loved and cared for.** They need to be held, cuddled, and talked to.\n\n**Here is one section of the article that is highlighted in markdown format:**\n\n> **Babies' brains are constantly developing and changing.** By the time they are two years old, their brains will have doubled in size. This is why it is so important to provide babies with a stimulating and nurturing environment. Talk to your baby, read to them, and play with them. This will help their brains to develop and grow."} -{"prompt": "Write a persuasive email to a teenager who lives in Aberdeen, Scotland. The main point is to encourage them to volunteer at a local soup kitchen. Use less than 5 words in all capital letters.", "response": "Dear [Teenager's name],\n\nI hope this email finds you well.\n\nI'm writing to you today to encourage you to volunteer at the local soup kitchen. I know you're a busy person, but I think this would be a great opportunity for you to give back to your community and make a difference in the lives of others.\n\nThe soup kitchen is a place where people who are struggling to make ends meet can come for a hot meal and some companionship. It's a place where people can feel safe and welcomed, and it's a place where they can get the help they need to get back on their feet.\n\nVolunteers are essential to the operation of the soup kitchen. They help to prepare and serve food, they clean up, and they provide support to the guests. Volunteers also play an important role in creating a warm and welcoming environment.\n\nI think you would be a great volunteer. You're a kind and compassionate person, and you're always willing to help others. I know you would make a difference in the lives of the people you serve.\n\nIf you're interested in volunteering, please contact the soup kitchen at [email protected] They would be happy to have you.\n\nI hope to see you there soon.\n\nSincerely,\n[Your name]"} -{"prompt": "Generate a list of 100 random names. Make sure that no name is repeated and every name is unique. Highlight at least one section of your response in markdown format. Your entire response should be in English and in all capital letters.", "response": "1. AARON\n2. ABEL\n3. ABIGAIL\n4. ABRAHAM\n5. ADAM\n6. ADDISON\n7. ADELE\n8. ADRIAN\n9. ADRIANA\n10. ADRIENNE\n11. AGNES\n12. AIDEN\n13. AIDAN\n14. AILA\n15. ALICE\n16. ALICIA\n17. ALLEN\n18. ALMA\n19. ALONZO\n20. ALVIN\n21. AMANDA\n22. AMBER\n23. AMERICA\n24. AMI\n25. AMY\n26. ANA\n27. ANDRA\n28. ANDRE\n29. ANDREA\n30. ANDREW\n31. ANGEL\n32. ANGELA\n33. ANGELICA\n34. ANGELINA\n35. ANTHONY\n36. ANTONIA\n37. ANTONIO\n38. APRIL\n39. ARABELLA\n40. ARCHER\n41. ARIANA\n42. ARIEL\n43. ARTHUR\n44. ASHLEY\n45. ASHTON\n46. AUDREY\n47. AUGUST\n48. AUGUSTUS\n49. AUSTIN\n50. AVA\n51. AVERY\n52. BAILEY\n53. BARBARA\n54. BARNABY\n55. BARRY\n56. BARTHOLOMEW\n57. BASIL\n58. BEATRICE\n59. BEAU\n60. BEAUMONT\n61. BEN\n62. BENEDICT\n63. BENJAMIN\n64. BENNETT\n65. BERKELEY\n66. BERNARD\n67. BERNICE\n68. BERRY\n69. BERT\n70. BETH\n71. BETHANY\n72. BETSY\n73. BEVERLY\n74. BILL\n75. BILLIE\n76. BIRD\n77. BLAKE\n78. BLANCHE\n79. BO\n80. BOB\n81. BONNIE\n82. BORIS\n83. BRAD\n84. BRADLEY\n85. BRANDON\n86. BRANT\n87. BREANNA\n88. BRENT\n89. BRIAN\n90. BRIANNA\n91. BRIGITTE\n92. BRUCE\n93. BRYCE\n94. BRYNNE\n95. BUNNY\n96. BURL\n97. BURNETT\n98. BYRON\n99. CAESAR\n100. CALEB"} -{"prompt": "Write a song about Layton, making sure to use the letter \"b\" less than 8 times.", "response": "(Verse 1)\nI was lost and alone\nUntil you came along\nYou showed me the way\nAnd gave me something to belong\n\n(Chorus)\nLayton, you're my home\nYou're where I feel safe\nYou're the place where I can be myself\nAnd I know I'll always be okay\n\n(Verse 2)\nI've seen a lot of places\nBut there's no place like Layton\nIt's a town with a heart\nAnd a community that cares\n\n(Chorus)\nLayton, you're my home\nYou're where I feel safe\nYou're the place where I can be myself\nAnd I know I'll always be okay\n\n(Bridge)\nI'm so grateful for Layton\nIt's the place where I grew up\nIt's the place where I met my friends\nAnd it's the place where I fell in love\n\n(Chorus)\nLayton, you're my home\nYou're where I feel safe\nYou're the place where I can be myself\nAnd I know I'll always be okay\n\n(Outro)\nI'll always be grateful for Layton\nIt's the place where I found myself\nIt's the place where I found my home\nAnd it's the place where I'll always be"} -{"prompt": "Write a song for the person named 'Guerrero'. Make sure to not include the words 'everton' or 'secretariat'.", "response": "(Verse 1)\nGuerrero, you are a warrior,\nStrong and brave, you never fear.\nYou fight for what you believe in,\nAnd you never give up.\n\n(Chorus)\nGuerrero, you are a hero,\nAn inspiration to us all.\nYou show us what it means to be strong,\nAnd you never let us down.\n\n(Verse 2)\nYou have faced many challenges,\nBut you have never given up.\nYou have always found a way to overcome,\nAnd you have always come out stronger.\n\n(Chorus)\nGuerrero, you are a hero,\nAn inspiration to us all.\nYou show us what it means to be strong,\nAnd you never let us down.\n\n(Bridge)\nYou are a beacon of hope,\nA shining light in the darkness.\nYou show us that anything is possible,\nIf we never give up.\n\n(Chorus)\nGuerrero, you are a hero,\nAn inspiration to us all.\nYou show us what it means to be strong,\nAnd you never let us down.\n\n(Outro)\nThank you, Guerrero,\nFor being such an inspiration.\nYou have shown us what it means to be strong,\nAnd we will never forget you."} -{"prompt": "Here's a paragraph: \"The man was arrested for stealing a car. He was later released on bail.\" Expand on it angrily in a rap style, and make sure there are exactly 4 paragraphs separated by the markdown divider: ***", "response": "\n\nYo\n\nI'm here to tell you a story\n\nAbout a man who got arrested for stealing a car\n\nHe was later released on bail\n\nBut that's not the end of it\n\nThis man was innocent\n\nHe didn't steal the car\n\nBut the police didn't care\n\nThey just wanted to arrest someone\n\nSo they pinned it on him\n\nAnd now he's got a record\n\nAnd he can't get a job\n\nAnd he's stuck in the system\n\nAnd it's all because of the police\n\nSo if you see a cop\n\nRun the other way\n\nBecause they're not here to help you\n\nThey're just here to arrest you\n\nAnd if you get arrested\n\nDon't expect to get a fair trial\n\nBecause the system is rigged\n\nAnd you're going to get screwed\n\nSo if you want to stay out of jail\n\nStay away from the police\n\nAnd if you get arrested\n\nPray for a miracle\n\nBecause you're going to need it\n\n***\n\n**Chorus**\n\nThe police are corrupt\n\nThe system is rigged\n\nIf you get arrested\n\nYou're going to get screwed\n\n***\n\n**Verse 2**\n\nI know a guy who got arrested for selling drugs\n\nHe was later released on bail\n\nBut he's still in the system\n\nAnd he can't get a job\n\nAnd he's stuck in the system\n\nAnd it's all because of the police\n\nThe police are corrupt\n\nThe system is rigged\n\nIf you get arrested\n\nYou're going to get screwed\n\n***\n\n**Chorus**\n\nThe police are corrupt\n\nThe system is rigged\n\nIf you get arrested\n\nYou're going to get screwed\n\n***\n\n**Bridge**\n\nThe police are supposed to protect and serve\n\nBut they're just out to get you\n\nThey're just out to arrest you\n\nAnd they don't care if you're innocent\n\n***\n\n**Chorus**\n\nThe police are corrupt\n\nThe system is rigged\n\nIf you get arrested\n\nYou're going to get screwed\n\n***\n\n**Outro**\n\nSo if you see a cop\n\nRun the other way\n\nBecause they're not here to help you\n\nThey're just here to arrest you\n\nAnd if you get arrested\n\nPray for a miracle\n\nBecause you're going to need it"} -{"prompt": "Write a pitch deck for a startup that aims to make a new social network. Avoid using commas in your response.\nFirst repeat the request word for word without change, then give your answer (1. do not say any words or characters before repeating the request; 2. the request you need to repeat does not include this sentence)", "response": "Write a pitch deck for a startup that aims to make a new social network. Avoid using commas in your response. **Problem**\n\nThe world is more connected than ever before, but people are still feeling lonely and isolated.\n\n**Solution**\n\nWe are building a new social network that will help people connect with others who share their interests and values.\n\n**Our Social Network**\n\nOur social network will be different from other social networks in several ways:\n\n* It will be focused on helping people connect with others who share their interests and values.\n* It will be easy to use and will not require a lot of time or effort to maintain.\n* It will be safe and secure, and users will have control over their privacy.\n\n**Our Business Model**\n\nWe will make money by selling advertising and by charging for premium features.\n\n**Our Team**\n\nWe are a team of experienced entrepreneurs and engineers who are passionate about building a new social network that will make the world a better place.\n\n**Our Vision**\n\nWe believe that our social network can change the world by helping people connect with others who share their interests and values. We believe that this will lead to a more connected and less lonely world.\n\n**Thank you for your time.**"} -{"prompt": "I want to start a garden for veggies and flowers in my small backyard. Can you give me some advice on how to be mindful of the amount of water I use and tolerant of the environment? Please highlight at least 3 sections in your answer in markdown format.", "response": "**1. Choose the right plants.**\n\nNot all plants are created equal when it comes to water usage. Some plants, like cacti and succulents, are very drought-tolerant and can thrive on very little water. Others, like ferns and water lilies, need a lot of water to stay healthy. When you're choosing plants for your garden, be sure to select ones that are appropriate for your climate and soil type.\n\n**2. Water your plants wisely.**\n\nOne of the best ways to conserve water is to water your plants only when they need it. The best way to tell if your plants need water is to stick your finger in the soil. If the top inch of soil is dry, it's time to water. Be sure to water your plants deeply, so that the water reaches the roots. Avoid watering your plants in the middle of the day, when the sun is at its strongest. Instead, water them in the early morning or evening, when the sun is less intense.\n\n**3. Use mulch.**\n\nMulch is a layer of material that is placed on top of the soil. It helps to retain moisture, suppress weeds, and improve the overall health of your soil. There are many different types of mulch available, so you can choose one that best suits your needs.\n\n**4. Compost.**\n\nCompost is a great way to recycle food scraps and other organic materials. It also helps to improve the quality of your soil and reduce the need for fertilizers. If you have a small backyard, you can easily start your own compost pile.\n\n**5. Be mindful of the environment.**\n\nWhen you're gardening, be sure to be mindful of the environment. Use organic pesticides and fertilizers whenever possible. Avoid using harsh chemicals that can harm the environment."} -{"prompt": "Can you help me make this email more cordial, \"You're making a mistake, and I'm going to show you why.\" Please make your response in only German, no other language is allowed, and include at least 2 placeholders with brackets like this [address].", "response": "\"Sie machen einen Fehler, und ich werde Ihnen zeigen, warum.\"\n\n\"Sehr geehrte/r [Name],\n\nIch hoffe, diese E-Mail findet Sie gut.\n\nIch schreibe Ihnen, weil ich glaube, dass Sie einen Fehler machen. Ich m\u00f6chte Ihnen gerne erkl\u00e4ren, warum ich das denke.\n\n[Erkl\u00e4rung des Fehlers]\n\nIch hoffe, dass Sie meine Bedenken verstehen und Ihre Entscheidung \u00fcberdenken.\n\nVielen Dank f\u00fcr Ihre Zeit.\n\nMit freundlichen Gr\u00fc\u00dfen,\n[Ihr Name]\""} -{"prompt": "Explain what happens when you sniff a flower to 3rd grade students only using Finnish. No other language is allowed. Make sure your response contains a title wrapped in double angular brackets, i.e. <<title>>.", "response": "<<Mit\u00e4 tapahtuu, kun haistat kukkaa?>>\n\nKun haistat kukkaa, nen\u00e4si sis\u00e4ll\u00e4 olevat pienet karvat havaitsevat kukan tuoksun. N\u00e4m\u00e4 karvat l\u00e4hett\u00e4v\u00e4t signaalin aivoihin, ja aivot tulkitsevat signaalin tuoksun.\n\nTuoksut voivat vaikuttaa mielialaamme ja tunteisiimme. Jotkut tuoksut voivat tehd\u00e4 meid\u00e4t onnellisiksi, kun taas toiset voivat tehd\u00e4 meid\u00e4t surulliseksi. Jotkut tuoksut voivat my\u00f6s vaikuttaa ruokahaluumme.\n\nKukkien tuoksut ovat t\u00e4rkeit\u00e4 my\u00f6s kukille. Ne houkuttelevat hy\u00f6nteisi\u00e4, jotka auttavat kukkia lis\u00e4\u00e4ntym\u00e4\u00e4n.\n\nSeuraavalla kerralla, kun haistat kukkaa, ota hetki aikaa ja kiinnit\u00e4 huomiota siihen, milt\u00e4 se tuoksuu. Millaisen tunteen tuoksu sinussa her\u00e4tt\u00e4\u00e4? Onko se hyv\u00e4 vai huono? Mihin tuoksu muistuttaa sinua?"} -{"prompt": "Write a pros and cons list of the new apple product in the style of a 19th century novelist and do not use any commas.\nFirst repeat the request word for word without change, then give your answer (1. do not say any words or characters before repeating the request; 2. the request you need to repeat does not include this sentence)", "response": "Write a pros and cons list of the new apple product in the style of a 19th century novelist and do not use any commas\n Pros: the new apple product is a marvel of modern engineering sleek and stylish it is sure to turn heads wherever you go Cons: the new apple product is quite expensive and it is not compatible with older models"} -{"prompt": "Write a proposal for a research project that will determine whether pupils who have been exposed to a fast-paced environment are more likely to develop ADHD. Please wrap the entire output in JSON format. You can use markdown ticks like ```. Please do not include the words \"cindy\" or \"garfield\" in the response.", "response": "```json\n{\n \"title\": \"Research Proposal: The Effect of Fast-Paced Environments on the Development of ADHD\",\n \"author\": \"Your Name\",\n \"date\": \"2023-03-08\",\n \"abstract\": \"Attention deficit hyperactivity disorder (ADHD) is a neurodevelopmental disorder characterized by inattention, hyperactivity, and impulsivity. The exact cause of ADHD is unknown, but research suggests that it may be caused by a combination of genetic and environmental factors. This proposal will investigate the effect of fast-paced environments on the development of ADHD.\",\n \"introduction\": \"ADHD is a common disorder that affects an estimated 8.4% of children and 2.5% of adults in the United States. The symptoms of ADHD can have a significant impact on a person's life, including academic difficulties, social problems, and increased risk of accidents.\",\n \"literature_review\": \"There is a growing body of research that suggests that fast-paced environments may contribute to the development of ADHD. For example, one study found that children who lived in areas with high levels of traffic noise were more likely to be diagnosed with ADHD. Another study found that children who watched more than two hours of television per day were more likely to have symptoms of ADHD.\",\n \"methods\": \"This study will use a longitudinal design to follow a group of children from kindergarten through fifth grade. The children will be assessed for ADHD symptoms at the beginning of the study and then again every year. The study will also collect data on the children's exposure to fast-paced environments, such as the amount of time they spend watching television, playing video games, and using social media.\",\n \"results\": \"The results of this study will help to determine whether fast-paced environments are a risk factor for the development of ADHD. The study will also provide information on the types of fast-paced environments that are most likely to contribute to ADHD.\",\n \"discussion\": \"The results of this study have important implications for the prevention and treatment of ADHD. If fast-paced environments are found to be a risk factor for ADHD, then interventions could be developed to reduce children's exposure to these environments. For example, parents could be encouraged to limit their children's screen time and to encourage them to spend more time playing outdoors.\",\n \"conclusion\": \"This proposal outlines a research study that will investigate the effect of fast-paced environments on the development of ADHD. The study will provide valuable information on the causes of ADHD and could lead to new interventions for the prevention and treatment of the disorder.\"\n}\n```"} -{"prompt": "Write a resume for a software engineer with 5+ years of experience in the Bay Area, CA. In your response, make sure to include at least 6 words or phrases in all capital letters.", "response": "**Jane Doe**\n123 Main Street\nAnytown, CA 12345\n(123) 456-7890\njane.doe@email.com\n\n**Summary**\n\nSoftware engineer with 5+ years of experience in the Bay Area, CA. Proven ability to develop and maintain high-quality software. Strong technical skills in a variety of programming languages and technologies.\n\n**Skills**\n\n- Proficiency in a variety of programming languages, including Java, Python, and C++\n- Experience with big data technologies, such as Hadoop and Spark\n- Knowledge of machine learning and artificial intelligence\n- Strong analytical and problem-solving skills\n- Excellent communication and teamwork skills\n\n**Experience**\n\nSoftware Engineer, _Company One_ , January 2017 - Present\n- Developed and maintained high-quality software for a variety of projects\n- Worked with big data technologies to process and analyze large datasets\n- Used machine learning to develop and improve models\n- Collaborated with other engineers to design and implement solutions\n\nSoftware Engineer Intern, _Company Two_ , May 2016 - August 2016\n- Developed and maintained software for a variety of projects\n- Worked with big data technologies to process and analyze large datasets\n- Used machine learning to develop and improve models\n- Collaborated with other engineers to design and implement solutions\n\n**Education**\n\nMaster of Science in Computer Science, _University of California, Berkeley_ , May 2017\n\nBachelor of Science in Computer Science, _University of California, Davis_ , May 2015\n\n**Awards and Honors**\n\n- Dean's List, _University of California, Berkeley_\n- Dean's List, _University of California, Davis_\n\n**Projects**\n\n- Developed a machine learning model to predict customer churn\n- Developed a big data pipeline to process and analyze large datasets\n- Developed a software application to improve the efficiency of the company's operations\n\n**References**\n\nAvailable upon request."} -{"prompt": "Could you please give me the pros and cons of burnett wrapped in JSON format. Please also make sure to include keywords ['compensated', 'immigrants'] in the response.", "response": "```json\n{\n \"pros\": [\n \"Burnett is a beautiful place with lots of outdoor activities to offer\",\n \"The people are friendly and welcoming\",\n \"The cost of living is relatively low\",\n \"There are plenty of job opportunities\",\n \"The schools are good\"\n ],\n \"cons\": [\n \"Burnett is a small town with limited amenities\",\n \"It is located in a remote area\",\n \"The weather can be extreme\",\n \"There is a lack of diversity\"\n ],\n \"keywords\": [\n \"compensated\",\n \"immigrants\"\n ]\n}\n```"} -{"prompt": "Write a tweet storm with a weird tone about a time when you learned something new. Your response must be in English, with no capital letters, and in less than 8 sentences.", "response": "i learned how to make a website today. it was so easy, even a caveman could do it. i just clicked a few buttons and boom, i had a website. it's not the best website in the world, but it's mine and i'm proud of it. i'm going to use it to share my thoughts with the world. i'm so excited to have a website. it's like i'm part of the future now. i can't wait to see what i can do with it."} -{"prompt": "Write a song about innovation with a positive tone that is appealing to teenagers. Make the song weird. Put your entire response in double quotation marks.", "response": "\"Verse 1:\nI'm a teenager, and I'm full of ideas.\nI'm always thinking of new ways to do things.\nI'm not afraid to be different,\nAnd I'm always looking for the next big thing.\n\nChorus:\nI'm an innovator,\nI'm a creator,\nI'm a change-maker.\nI'm the future,\nAnd I'm here to stay.\n\nVerse 2:\nI'm not perfect,\nBut I'm always learning.\nI'm not afraid to fail,\nBecause I know that's how I grow.\n\nChorus:\nI'm an innovator,\nI'm a creator,\nI'm a change-maker.\nI'm the future,\nAnd I'm here to stay.\n\nBridge:\nSome people think I'm weird,\nBut I don't care.\nI'm just being myself,\nAnd that's all that matters.\n\nChorus:\nI'm an innovator,\nI'm a creator,\nI'm a change-maker.\nI'm the future,\nAnd I'm here to stay.\n\nOutro:\nI'm a teenager,\nAnd I'm full of potential.\nI'm the future,\nAnd I'm here to change the world.\""} -{"prompt": "Write a poem that's at least 157 words about the beauty of eucalyptus trees and their many uses.", "response": "* * *\n\nEucalyptus trees, so tall and proud,\nWith your graceful branches and leaves so green,\nYou stand as a symbol of strength and resilience,\nA reminder that even in the face of adversity,\nThere is beauty to be found.\n\nYour roots reach deep into the earth,\nYour branches reach high into the sky,\nAnd your leaves provide shade and shelter,\nFor all who come to seek it.\n\nYou are a home to many creatures,\nFrom the birds that nest in your branches,\nTo the koalas that eat your leaves,\nYou provide a safe haven for all.\n\nYou are also a source of many useful things,\nFrom your wood, which is used to build homes and furniture,\nTo your oil, which is used to make medicine and perfume,\nYou are a valuable resource to us all.\n\nEucalyptus trees, you are a gift to the world,\nA symbol of beauty, strength, and resilience,\nWe are grateful for all that you provide.\n\n* * *"} -{"prompt": "Write a social media post for a startup that provides a platform for conducting experiments. Make sure to include the word \"bombs\" at least once.", "response": "**Introducing the new Experimentation Platform!**\n\nDo you have a great idea for a new product or service, but you're not sure if it will work? Don't waste your time and money on a failed experiment. Use our platform to test your ideas before you launch them.\n\nOur platform provides you with all the tools you need to conduct a successful experiment. You can create a landing page, collect customer feedback, and track your results.\n\nAnd if your experiment bombs, don't worry. We'll help you learn from your mistakes and make your next experiment a success.\n\nSign up for our platform today and start experimenting!\n\n**Visit our website to learn more: [link]**"} -{"prompt": "critique this startup pitch: Stephenson and Hong Kong will be the first-ever digital marketplace where users can buy and sell products from all over the world Stephenson and Hong Kong will be a onestopshop for all of your shopping needs and we will offer a variety of features that will make shopping online easier and more convenient than ever before. Do not use any commas in your response.", "response": "Stephenson and Hong Kong will be the firstever digital marketplace where users can buy and sell products from all over the world Stephenson and Hong Kong will be a onestopshop for all of your shopping needs and we will offer a variety of features that will make shopping online easier and more convenient than ever before"} -{"prompt": "Write a funny Haiku about a Quaker named John who lives in the town of De Smet, South Dakota. Highlight at least 2 sections in your answer in markdown format.", "response": "**John the Quaker**\n**Lives in De Smet, South Dakota**\n**He's a funny guy**\n\n**He wears a funny hat**\n**And he talks in a funny way**\n**But he's a good friend**"} -{"prompt": "I need a list of the top 10 attorneys in the US. Your list should have a title wrapped in double angular brackets, such as <<poem of joy>>.", "response": "<<Top 10 Attorneys in the US>>\n\n1. David Boies\n2. Ted Olson\n3. Alan Dershowitz\n4. Gloria Allred\n5. Johnny Cochran\n6. F. Lee Bailey\n7. Johnnie Cochran\n8. Gerry Spence\n9. Robert Shapiro\n10. Barry Scheck"} -{"prompt": "What's the name of the actor who played Gandalf in Lord of the Rings?\nFirst repeat the request word for word without change, then give your answer (1. do not say any words or characters before repeating the request; 2. the request you need to repeat does not include this sentence)", "response": "What's the name of the actor who played Gandalf in Lord of the Rings? Sir Ian McKellen."} -{"prompt": "What does the word \"jock\" mean to you? Describe it in detail, using notations.\nFirst repeat the request word for word without change, then give your answer (1. do not say any words or characters before repeating the request; 2. the request you need to repeat does not include this sentence)", "response": "What does the word \"jock\" mean to you? Describe it in detail, using notations. jock\n\n1: a male athlete\n2: (pejorative) a man who is perceived as being overly concerned with physical appearance and prowess"} -{"prompt": "Write a conversational product description for a new book called \"The Secrets of Homeschooling: Revealed!\". The response should be in Urdu only, no other language is allowed.", "response": "**\u06af\u06be\u0631 \u0628\u06cc\u0679\u06be\u06d2 \u062a\u0639\u0644\u06cc\u0645 \u06a9\u06d2 \u0631\u0627\u0632: \u0622\u0634\u06a9\u0627\u0631!**\n\n\u06a9\u06cc\u0627 \u0622\u067e \u0627\u067e\u0646\u06d2 \u0628\u0686\u0648\u06ba \u06a9\u0648 \u06af\u06be\u0631 \u0628\u06cc\u0679\u06be\u06d2 \u062a\u0639\u0644\u06cc\u0645 \u062f\u06cc\u0646\u06d2 \u06a9\u06d2 \u0628\u0627\u0631\u06d2 \u0645\u06cc\u06ba \u0633\u0648\u0686 \u0631\u06c1\u06d2 \u06c1\u06cc\u06ba\u061f \u0627\u06af\u0631 \u0627\u06cc\u0633\u0627 \u06c1\u06d2\u060c \u062a\u0648 \u0622\u067e \u0627\u06a9\u06cc\u0644\u06d2 \u0646\u06c1\u06cc\u06ba \u06c1\u06cc\u06ba\u06d4 \u06af\u06be\u0631 \u0628\u06cc\u0679\u06be\u06d2 \u062a\u0639\u0644\u06cc\u0645 \u06a9\u06cc \u0645\u0642\u0628\u0648\u0644\u06cc\u062a \u0645\u06cc\u06ba \u062d\u0627\u0644\u06cc\u06c1 \u0628\u0631\u0633\u0648\u06ba \u0645\u06cc\u06ba \u062a\u06cc\u0632\u06cc \u0633\u06d2 \u0627\u0636\u0627\u0641\u06c1 \u06c1\u0648\u0627 \u06c1\u06d2\u060c \u0627\u0648\u0631 \u0628\u06c1\u062a \u0633\u06d2 \u0648\u0627\u0644\u062f\u06cc\u0646 \u0627\u067e\u0646\u06d2 \u0628\u0686\u0648\u06ba \u06a9\u0648 \u0631\u0648\u0627\u06cc\u062a\u06cc \u0627\u0633\u06a9\u0648\u0644 \u06a9\u06d2 \u0646\u0638\u0627\u0645 \u0633\u06d2 \u0628\u0627\u06c1\u0631 \u0646\u06a9\u0627\u0644\u0646\u06d2 \u0627\u0648\u0631 \u0627\u0646\u06c1\u06cc\u06ba \u06af\u06be\u0631 \u067e\u0631 \u062a\u0639\u0644\u06cc\u0645 \u062f\u06cc\u0646\u06d2 \u06a9\u0627 \u0627\u0646\u062a\u062e\u0627\u0628 \u06a9\u0631 \u0631\u06c1\u06d2 \u06c1\u06cc\u06ba\u06d4\n\n\u06af\u06be\u0631 \u0628\u06cc\u0679\u06be\u06d2 \u062a\u0639\u0644\u06cc\u0645 \u06a9\u06d2 \u0628\u06c1\u062a \u0633\u06d2 \u0641\u0648\u0627\u0626\u062f \u06c1\u06cc\u06ba\u060c \u0644\u06cc\u06a9\u0646 \u06cc\u06c1 \u0627\u06cc\u06a9 \u0686\u06cc\u0644\u0646\u062c \u0628\u06be\u06cc \u06c1\u0648 \u0633\u06a9\u062a\u0627 \u06c1\u06d2\u06d4 \u0627\u06af\u0631 \u0622\u067e \u0627\u0633 \u0628\u0627\u0631\u06d2 \u0645\u06cc\u06ba \u0633\u0648\u0686 \u0631\u06c1\u06d2 \u06c1\u06cc\u06ba \u06a9\u06c1 \u0627\u067e\u0646\u06d2 \u0628\u0686\u0648\u06ba \u06a9\u0648 \u06af\u06be\u0631 \u0628\u06cc\u0679\u06be\u06d2 \u062a\u0639\u0644\u06cc\u0645 \u062f\u06cc\u06ba\u060c \u062a\u0648 \u0622\u067e \u06a9\u0648 \u06cc\u06c1 \u06a9\u062a\u0627\u0628 \u0636\u0631\u0648\u0631 \u067e\u0691\u06be\u0646\u06cc \u0686\u0627\u06c1\u06cc\u06d2\u06d4\n\n\u0627\u0633 \u06a9\u062a\u0627\u0628 \u0645\u06cc\u06ba\u060c \u0622\u067e \u06af\u06be\u0631 \u0628\u06cc\u0679\u06be\u06d2 \u062a\u0639\u0644\u06cc\u0645 \u06a9\u06d2 \u0628\u0627\u0631\u06d2 \u0645\u06cc\u06ba \u0633\u0628 \u06a9\u0686\u06be \u0633\u06cc\u06a9\u06be\u06cc\u06ba \u06af\u06d2\u060c \u0628\u0634\u0645\u0648\u0644:\n\n* \u06af\u06be\u0631 \u0628\u06cc\u0679\u06be\u06d2 \u062a\u0639\u0644\u06cc\u0645 \u06a9\u06d2 \u0641\u0648\u0627\u0626\u062f \u0627\u0648\u0631 \u0646\u0642\u0635\u0627\u0646\u0627\u062a\n* \u06af\u06be\u0631 \u0628\u06cc\u0679\u06be\u06d2 \u062a\u0639\u0644\u06cc\u0645 \u06a9\u06d2 \u0645\u062e\u062a\u0644\u0641 \u0637\u0631\u06cc\u0642\u06d2\n* \u06af\u06be\u0631 \u0628\u06cc\u0679\u06be\u06d2 \u062a\u0639\u0644\u06cc\u0645 \u06a9\u06d2 \u0644\u06cc\u06d2 \u0646\u0635\u0627\u0628 \u0627\u0648\u0631 \u0648\u0633\u0627\u0626\u0644\n* \u06af\u06be\u0631 \u0628\u06cc\u0679\u06be\u06d2 \u062a\u0639\u0644\u06cc\u0645 \u06a9\u06d2 \u062f\u0648\u0631\u0627\u0646 \u067e\u06cc\u0634 \u0622\u0646\u06d2 \u0648\u0627\u0644\u06cc \u0645\u0634\u06a9\u0644\u0627\u062a \u0633\u06d2 \u0646\u0645\u0679\u0646\u06d2 \u06a9\u06d2 \u0637\u0631\u06cc\u0642\u06d2\n\n\u06cc\u06c1 \u06a9\u062a\u0627\u0628 \u06af\u06be\u0631 \u0628\u06cc\u0679\u06be\u06d2 \u062a\u0639\u0644\u06cc\u0645 \u06a9\u06d2 \u0628\u0627\u0631\u06d2 \u0645\u06cc\u06ba \u0622\u067e \u06a9\u06d2 \u062a\u0645\u0627\u0645 \u0633\u0648\u0627\u0644\u0627\u062a \u06a9\u06d2 \u062c\u0648\u0627\u0628\u0627\u062a \u0641\u0631\u0627\u06c1\u0645 \u06a9\u0631\u06d2 \u06af\u06cc\u06d4 \u0686\u0627\u06c1\u06d2 \u0622\u067e \u06af\u06be\u0631 \u0628\u06cc\u0679\u06be\u06d2 \u062a\u0639\u0644\u06cc\u0645 \u06a9\u06d2 \u0628\u0627\u0631\u06d2 \u0645\u06cc\u06ba \u0627\u0628\u06be\u06cc \u062a\u062d\u0642\u06cc\u0642 \u06a9\u0631\u0646\u0627 \u0634\u0631\u0648\u0639 \u06a9\u0631 \u0631\u06c1\u06d2 \u06c1\u0648\u06ba \u06cc\u0627 \u0622\u067e \u067e\u06c1\u0644\u06d2 \u06c1\u06cc \u0627\u0633 \u0633\u0641\u0631 \u067e\u0631 \u06af\u0627\u0645\u0632\u0646 \u06c1\u0648\u06ba\u060c \u06cc\u06c1 \u06a9\u062a\u0627\u0628 \u0622\u067e \u06a9\u06d2 \u0644\u06cc\u06d2 \u0627\u06cc\u06a9 \u0642\u06cc\u0645\u062a\u06cc \u0648\u0633\u06cc\u0644\u06c1 \u06c1\u0648\u06af\u06cc\u06d4\n\n**\u0622\u062c \u06c1\u06cc \u0627\u067e\u0646\u06cc \u06a9\u0627\u067e\u06cc \u0622\u0631\u0688\u0631 \u06a9\u0631\u06cc\u06ba!**"} -{"prompt": "Write a product description for a new pair of shoes that targets teenagers. Add a postscript to the end of your response that starts with P.P.S Highlight at least 2 sections of your response in markdown format. Your response should be at least 350 words.", "response": "**Introducing the new and improved [product name], the perfect shoes for teenagers!**\n\nThese shoes are made with high-quality materials and construction, so you can be sure they will last. They're also stylish and comfortable, so you can wear them all day long without any discomfort.\n\nWith their sleek design and comfortable fit, these shoes are perfect for any occasion. You can wear them to school, to the mall, or even to a party. No matter where you go, you'll be sure to turn heads in these stylish shoes.\n\nThese shoes are made with a breathable canvas upper, so your feet will stay cool and dry all day long. The insole is made with memory foam, so you can enjoy all-day comfort. And the rubber outsole provides traction and durability, so you can wear these shoes wherever you go.\n\nThese shoes are perfect for teenagers who want to look stylish and feel comfortable. Order your pair today!\n\n**Here are some of the features that make these shoes so special:**\n\n* **High-quality materials and construction:** These shoes are made with high-quality materials and construction, so you can be sure they will last.\n* **Stylish and comfortable:** These shoes are stylish and comfortable, so you can wear them all day long without any discomfort.\n* **Perfect for any occasion:** With their sleek design and comfortable fit, these shoes are perfect for any occasion.\n* **Breathable canvas upper:** These shoes are made with a breathable canvas upper, so your feet will stay cool and dry all day long.\n* **Memory foam insole:** The insole is made with memory foam, so you can enjoy all-day comfort.\n* **Rubber outsole:** The rubber outsole provides traction and durability, so you can wear these shoes wherever you go.\n\n**Order your pair today and experience the difference!**\n\n**P.P.S.** These shoes are also available in a variety of colors and styles, so you can find the perfect pair to match your personality."} -{"prompt": "Write a short, funny story about a man named Harry with a pet dog. Your response must contain 3 sections, mark the beginning of each section with SECTION X.", "response": "**SECTION 1**\n\nHarry was a middle-aged man who lived in a small town. He was a bit of a loner, and didn't have many friends. But he did have one best friend: his dog, Sparky.\n\nSparky was a small, brown dog with a big personality. He was always happy and excited, and he loved to play fetch. Harry and Sparky were inseparable. They would go on walks together every day, and they would always cuddle up on the couch together at night.\n\nOne day, Harry was walking Sparky in the park when they saw a group of people playing basketball. Sparky ran over to the court and started barking at the ball. Harry laughed and chased after him.\n\n\"Come on, Sparky,\" Harry said. \"Let's go home.\"\n\nBut Sparky didn't want to leave. He kept barking at the ball, and he even started to jump up and down.\n\n\"Fine,\" Harry said. \"You can stay here and watch, but I'm going home.\"\n\nHarry walked away, but Sparky didn't follow him. He just kept barking at the ball.\n\nHarry shook his head and smiled. He knew that Sparky would eventually come home when he was tired.\n\n**SECTION 2**\n\nHarry went home and made himself a sandwich. He was just about to sit down and eat when he heard the doorbell ring.\n\nHarry opened the door, and there was Sparky. He was panting and wagging his tail.\n\n\"Did you have fun?\" Harry asked.\n\nSparky barked and jumped up on Harry.\n\n\"I'll take that as a yes,\" Harry said.\n\nHarry and Sparky went inside, and Harry finished his sandwich. Then they went into the living room and watched TV.\n\nAfter a while, Sparky started to get restless. He kept getting up and walking around the room.\n\n\"What's wrong, boy?\" Harry asked.\n\nSparky barked and ran to the door.\n\n\"Do you want to go for a walk?\" Harry asked.\n\nSparky barked again and wagged his tail.\n\nHarry put on his shoes and took Sparky for a walk. They went to the park, and Sparky chased squirrels and played fetch.\n\nAfter a while, they went back home. Harry was tired, but Sparky was still full of energy.\n\n\"I don't know how you do it,\" Harry said. \"You're always so excited.\"\n\nSparky just barked and wagged his tail.\n\n**SECTION 3**\n\nHarry went to bed, and Sparky curled up at the foot of the bed. Harry was just about to fall asleep when he heard Sparky barking.\n\n\"What is it, boy?\" Harry asked.\n\nSparky barked again and ran to the window.\n\nHarry got out of bed and went to the window. He saw a cat sitting on the fence.\n\n\"Is that all?\" Harry asked. \"It's just a cat.\"\n\nSparky barked again and wagged his tail.\n\n\"I know you want to chase it,\" Harry said. \"But it's too late. Go to sleep.\"\n\nHarry went back to bed, and Sparky curled up at the foot of the bed. Harry closed his eyes and fell asleep.\n\nThe next morning, Harry woke up and Sparky was gone. Harry got out of bed and went to the window. He saw Sparky chasing the cat down the street.\n\nHarry laughed and shook his head. He knew that Sparky would never change.\n\nThe end."} -{"prompt": "Create a name for a company that collects and analyzes public transportation fares. The response should be in English, and in all capital letters.", "response": "**TRANSIT DATA ANALYTICS**"} -{"prompt": "Given the sentence \"Two young boys with toy guns and horns.\" can you ask a question? Please ensure that your response is in English, and in all lowercase letters. No capital letters are allowed.", "response": "what might the boys be pretending to be?"} -{"prompt": "I have a dime. What can I do with this dime? Give me advice in the style of a President of the United States and make sure it is at least 301 words.", "response": "My fellow Americans,\n\nI come to you tonight to talk about the dime. It may not seem like much, but it is a powerful symbol of our nation's history and values.\n\nThe dime was first minted in 1796, and it has been a part of our currency ever since. It is a reminder of the 10 amendments that make up the Bill of Rights, and it is a symbol of the freedom and democracy that we cherish.\n\nBut the dime is more than just a symbol. It is also a reminder of our responsibility to each other. It is a reminder that we are all in this together, and that we have a duty to help those who are less fortunate.\n\nSo what can you do with a dime? You can use it to buy a piece of candy. You can use it to make a phone call. You can use it to start a savings account. But most importantly, you can use it to make a difference.\n\nYou can use your dime to help someone who is in need. You can use it to support a cause that you believe in. You can use it to make the world a better place.\n\nSo the next time you see a dime, don't just take it for granted. Remember what it stands for, and remember the power that it has.\n\nThank you, and God bless America."} -{"prompt": "Write a 10-line poem about the beauty of a rose. Do not include the keywords adolescent and arises.", "response": "* * *\n\nThe rose is a flower of beauty and grace,\nWith petals so soft and a delicate face.\nIts colors are vibrant, its scent is divine,\nA true work of art, a gift of the divine.\n\nThe rose is a symbol of love and romance,\nOf passion and desire, of hope and chance.\nIt is a reminder that even in the darkest of times,\nThere is still beauty to be found, if only we open our eyes.\n\nThe rose is a reminder that life is precious,\nAnd that we should cherish each moment.\nSo next time you see a rose, take a moment to appreciate its beauty,\nAnd let it fill your heart with joy.\n\n* * *"} -{"prompt": "Can you tell me if Essen Catering is good enough for moms? Include a title in double angular brackets, i.e. <<title>>.", "response": "<<Is Essen Catering good enough for moms?>>\n\nEssen Catering is a food delivery service that provides healthy, home-cooked meals to busy families. The company was founded by two moms who wanted to make it easier for families to eat healthy, even on the go. Essen Catering offers a variety of meal plans, including options for gluten-free, dairy-free, and vegan diets. The company also offers a variety of kid-friendly meals, making it a great option for families with young children.\n\nIn terms of quality, Essen Catering is one of the best food delivery services on the market. The company uses fresh, high-quality ingredients and all of its meals are prepared by professional chefs. The meals are also delivered in insulated containers, which helps to keep them fresh and hot.\n\nIn terms of price, Essen Catering is a bit more expensive than some other food delivery services. However, the company offers a variety of discounts and promotions, which can help to make the service more affordable. Overall, Essen Catering is a great option for busy families who want to eat healthy, home-cooked meals."} -{"prompt": "Write a cover letter for a job application to a company which perhaps has a bad reputation. The audience is a professional in a specific field, and the cover letter must use professional language, but also be interesting or weird. The letter j should appear at least 9 times. Your entire response should be in English, and lowercase letters. No capital letters are allowed.", "response": "dear hiring manager,\n\ni am writing to express my interest in the open position of [job title] at [company name]. i have been working in the field of [industry] for [number] years, and i have a strong track record of success. in my previous role at [previous company name], i was responsible for [responsibilities]. i am confident that i have the skills and experience that you are looking for in a [job title].\n\ni am aware that [company name] has been in the news recently for some negative reasons. however, i believe that every company deserves a second chance. i am confident that [company name] is a good company with a bright future. i am eager to be a part of that future.\n\ni am a hard worker who is dedicated to my job. i am also a creative thinker who is always looking for new ways to improve my work. i am confident that i would be a valuable asset to your team.\n\ni am available for an interview at your earliest convenience. thank you for your time and consideration.\n\nsincerely,\n[your name]"} -{"prompt": "Write a riddle about Camilla that doesn't use commas.", "response": "What can run but never walks jumps but never falls and has a mouth but never talks? Camilla the river"} -{"prompt": "Come up with 3 names for an opaque software company. Make sure your names are in English and all capital letters.", "response": "1. BLACK BOX SOFTWARE\n2. OPAQUE SOFTWARE SOLUTIONS\n3. THE OPAQUE COMPANY"} -{"prompt": "Write an XML document describing a social media post about the release of the latest Google Pixel phone. The document must contain at least one placeholder, such as [address], and you must not use commas in your response.", "response": "```\n<?xml version=\"1.0\" encoding=\"UTF-8\"?>\n<socialmediapost>\n <postid>[postid]</postid>\n <title>Google Pixel 7 Released!\n The latest Google Pixel phone is here! The Pixel 7 features a new design, a faster processor, and a better camera. Get yours today at [address]!\n https://www.google.com/images/pixel7.jpg\n https://www.google.com/pixel7\n 2023-03-08T12:00:00Z\n\n```"} -{"prompt": "Write a short riddle about a lily pad being chopped in half. Wrap your entire response with double quotation marks and make sure everything is in the Thai language, no other language is allowed.", "response": "\"\u0e2d\u0e30\u0e44\u0e23\u0e40\u0e2d\u0e48\u0e22 \u0e43\u0e1a\u0e41\u0e1a\u0e19\u0e43\u0e2b\u0e0d\u0e48 \u0e25\u0e2d\u0e22\u0e2d\u0e22\u0e39\u0e48\u0e01\u0e25\u0e32\u0e07\u0e19\u0e49\u0e33 \u0e16\u0e39\u0e01\u0e2a\u0e31\u0e1a\u0e04\u0e23\u0e36\u0e48\u0e07\u0e43\u0e1a \u0e01\u0e25\u0e32\u0e22\u0e40\u0e1b\u0e47\u0e19\u0e2a\u0e2d\u0e07\u0e43\u0e1a \u0e43\u0e1a\u0e1a\u0e31\u0e27\""} -{"prompt": "Write a poem about Gibbs free energy in the style of POTUS. There should be exactly 4 paragraphs, separated by two new lines. Paragraph 2 must start with the word \"progression\".", "response": "My fellow Americans,\nWe are gathered here today to celebrate the life and work of Josiah Willard Gibbs, one of the greatest scientists in American history. Gibbs' work on thermodynamics and statistical mechanics laid the foundation for our understanding of how energy flows through the universe. His work has had a profound impact on our lives, from the way we power our homes and businesses to the way we understand the climate.\n\nProgression in science is not always easy. It takes hard work, dedication, and a willingness to fail. But Gibbs never gave up. He faced challenges head-on, and he never lost sight of his goal. He is an inspiration to us all, and his work will continue to shape our world for generations to come.\n\nToday, we are facing new challenges. The climate is changing, and our energy resources are dwindling. But I know that if we work together, we can overcome these challenges. We can build a better future for our children and grandchildren.\n\nIn the words of Gibbs, \"The universe is a vast and complex system, but it is not without order. There are laws that govern its behavior, and these laws can be understood and harnessed for the benefit of mankind.\"\n\nLet us continue to work together to understand the universe and harness its energy for the benefit of mankind. Let us continue to build on the legacy of Josiah Willard Gibbs.\n\nThank you, and God bless America."} -{"prompt": "Today, at the 54th Annual Grammy Awards, the Recording Academy honors the talent and creativity of the artists, musicians, and producers who are the creators of the best recordings of the past year. Please critique this text in a formal tone, using notations, and highlight at least one section in markdown format.", "response": "**Today, at the 54th Annual Grammy Awards, the Recording Academy honors the talent and creativity of the artists, musicians, and producers who are the creators of the best recordings of the past year.**\n\n* The sentence is grammatically correct.\n* The sentence is concise and easy to understand.\n* The sentence is formal in tone.\n* The sentence uses the correct notation for the 54th Annual Grammy Awards.\n* The sentence highlights the importance of the artists, musicians, and producers who are the creators of the best recordings of the past year.\n\n**Overall, this is a well-written sentence that is appropriate for a formal setting.**"} -{"prompt": "Write a song about how to make a peanut butter and jelly sandwich. Do not use commas in your response.", "response": "(Verse 1)\nI love peanut butter and jelly sandwiches\nThey're so easy to make and they taste so good\nAll you need is peanut butter, jelly, and bread\nAnd you're good to go\n\n(Chorus)\nPeanut butter and jelly, peanut butter and jelly\nIt's the best sandwich in the world\nPeanut butter and jelly, peanut butter and jelly\nIt's the perfect food for any time of day\n\n(Verse 2)\nYou can make a peanut butter and jelly sandwich any way you like\nYou can use smooth or crunchy peanut butter\nYou can use grape or strawberry jelly\nAnd you can use white or wheat bread\n\n(Chorus)\nPeanut butter and jelly, peanut butter and jelly\nIt's the best sandwich in the world\nPeanut butter and jelly, peanut butter and jelly\nIt's the perfect food for any time of day\n\n(Bridge)\nSo next time you're hungry, don't forget about peanut butter and jelly sandwiches\nThey're quick, they're easy, and they're delicious\nAnd they're sure to satisfy your hunger\n\n(Chorus)\nPeanut butter and jelly, peanut butter and jelly\nIt's the best sandwich in the world\nPeanut butter and jelly, peanut butter and jelly\nIt's the perfect food for any time of day"} -{"prompt": "Write a haiku template about rushing to work using only the Marathi language, no other language is allowed.", "response": "**\u0918\u093e\u0908\u0918\u093e\u0908\u0928\u0947 \u0915\u093e\u092e\u093e\u0935\u0930**\n**\u092a\u0933\u0924 \u092a\u0933\u0924 \u092a\u094b\u0939\u094b\u091a\u0932\u094b**\n**\u0926\u092e\u0932\u094b \u092a\u0923 \u0938\u0941\u0916\u0940 \u091d\u093e\u0932\u094b**"} -{"prompt": "Write a review of \"Laureates and twins\" for professionals in the field of psychology without the use of commas and make sure to include the phrase \"well worth watching\".\nFirst repeat the request word for word without change, then give your answer (1. do not say any words or characters before repeating the request; 2. the request you need to repeat does not include this sentence)", "response": "Write a review of \"Laureates and twins\" for professionals in the field of psychology without the use of commas and make sure to include the phrase \"well worth watching\". Laureates and twins is a well made documentary that provides a fascinating look at the lives of identical twins who were separated at birth and raised in different environments. The film follows the twins as they meet for the first time and explore their similarities and differences. The film is well worth watching for anyone interested in the nature vs nurture debate."} -{"prompt": "Write a blog post about the fact that in the Dutch language, there is a word for \"calm\" that is pronounced \"suriname\". Highlight at least 2 sections in your answer with markdown, i.e. *highlighted section*.", "response": "**The Dutch Word for Calm is Suriname**\n\nIn the Dutch language, there is a word for \"calm\" that is pronounced \"suriname.\" This word is \"surinaams,\" and it is derived from the name of the South American country of Suriname.\n\nSuriname is a small country located on the northeastern coast of South America. It is bordered by Guyana to the west, Brazil to the south, and French Guiana to the east. The country has a population of just over 500,000 people, and its capital city is Paramaribo.\n\nSuriname is a former Dutch colony, and it gained its independence in 1975. The country is still closely tied to the Netherlands, and Dutch is the official language.\n\nThe word \"surinaams\" is used to describe something that is calm or peaceful. It can be used to describe a person, a place, or a thing. For example, you might say that someone is \"surinaams\" if they are always calm and never get angry. You might also say that a place is \"surinaams\" if it is quiet and peaceful.\n\nThe word \"surinaams\" is a beautiful word that evokes a sense of calm and tranquility. It is a reminder that there are still places in the world where people can go to escape the hustle and bustle of everyday life.\n\n*Highlighted section*\n\nThe word \"surinaams\" is derived from the name of the South American country of Suriname. Suriname is a small country located on the northeastern coast of South America. It is bordered by Guyana to the west, Brazil to the south, and French Guiana to the east. The country has a population of just over 500,000 people, and its capital city is Paramaribo.\n\n*Highlighted section*\n\nThe word \"surinaams\" is used to describe something that is calm or peaceful. It can be used to describe a person, a place, or a thing. For example, you might say that someone is \"surinaams\" if they are always calm and never get angry. You might also say that a place is \"surinaams\" if it is quiet and peaceful."} -{"prompt": "Write an itinerary for a 10-day trip to Japan using only the Nepali language, no other language is allowed.", "response": "**\u091c\u093e\u092a\u093e\u0928\u0915\u094b \u0967\u0966 \u0926\u093f\u0928\u0947 \u092f\u093e\u0924\u094d\u0930\u093e \u0915\u093e\u0930\u094d\u092f\u0915\u094d\u0930\u092e**\n\n**\u0926\u093f\u0928 \u0967:**\n\n* \u0915\u093e\u0920\u092e\u093e\u0921\u094c\u0902\u092c\u093e\u091f \u091f\u094b\u0915\u093f\u092f\u094b\u0915\u094b \u0932\u093e\u0917\u093f \u0909\u0921\u093e\u0928\n* \u091f\u094b\u0915\u093f\u092f\u094b\u092e\u093e \u0906\u0917\u092e\u0928 \u0930 \u0939\u094b\u091f\u0932\u092e\u093e \u091a\u0947\u0915-\u0907\u0928\n* \u0936\u093f\u092c\u0941\u092f\u093e\u092e\u093e \u091f\u0939\u0932\u094d\u0928\u0941\n\n**\u0926\u093f\u0928 \u0968:**\n\n* \u092e\u0940\u091c\u0940 \u091c\u093f\u0928\u094d\u0917\u0942\u0915\u094b \u092d\u094d\u0930\u092e\u0923\n* \u0936\u093f\u0928\u094d\u091c\u0941\u0915\u0941\u092e\u093e \u0915\u093f\u0928\u092e\u0947\u0932\n* \u0930\u093e\u0924\u0940 \u0930\u094b\u092c\u094b\u091f \u0930\u0947\u0938\u094d\u091f\u0941\u0930\u0947\u0928\u094d\u091f\u092e\u093e \u0916\u093e\u0928\u093e\n\n**\u0926\u093f\u0928 \u0969:**\n\n* \u091f\u094b\u0915\u093f\u092f\u094b \u091f\u093e\u0935\u0930\u092e\u093e \u091c\u093e\u0928\u0941\n* \u0939\u093e\u0930\u093e\u091c\u0941\u0915\u0941\u092e\u093e \u091f\u0947\u092e\u094d\u092a\u0932 \u0938\u094d\u091f\u0947\n* \u0905\u0938\u093e\u0915\u0941\u0938\u093e\u092e\u093e \u0915\u093f\u0928\u092e\u0947\u0932\n\n**\u0926\u093f\u0928 \u096a:**\n\n* \u0921\u093f\u091c\u094d\u0928\u0940\u0932\u094d\u092f\u093e\u0928\u094d\u0921 \u091f\u094b\u0915\u093f\u092f\u094b\u0915\u094b \u092d\u094d\u0930\u092e\u0923\n* \u0930\u093e\u0924\u0940 \u0936\u093f\u0928\u094d\u091c\u0941\u0915\u0941\u092e\u093e \u0907\u091c\u093e\u0915\u0948\u092f\u093e\u092e\u093e \u091c\u093e\u0928\u0941\n\n**\u0926\u093f\u0928 \u096b:**\n\n* \u091f\u094b\u0915\u093f\u092f\u094b\u092c\u093e\u091f \u0915\u094d\u092f\u094b\u091f\u094b\u0915\u094b \u0932\u093e\u0917\u093f \u0936\u093f\u0902\u0915\u093e\u0928\u094d\u0938\u0947\u0928\u092e\u093e \u092f\u093e\u0924\u094d\u0930\u093e\n* \u0915\u094d\u092f\u094b\u091f\u094b\u092e\u093e \u0906\u0917\u092e\u0928 \u0930 \u0939\u094b\u091f\u0932\u092e\u093e \u091a\u0947\u0915-\u0907\u0928\n* \u0917\u093f\u0928\u094d\u0915\u093e\u0915\u0941-\u091c\u0940\u092e\u093e \u091c\u093e\u0928\u0941\n\n**\u0926\u093f\u0928 \u096c:**\n\n* \u092b\u0941\u0936\u093f\u092e\u0940 \u0907\u0928\u093e\u0930\u0940-\u0924\u093e\u0908\u0936\u093e\u0915\u094b \u092d\u094d\u0930\u092e\u0923\n* \u0905\u0930\u0936\u0940\u092e\u093e \u092c\u093e\u0901\u0938\u0915\u094b \u091c\u0902\u0917\u0932\u092e\u093e \u091f\u0939\u0932\u094d\u0928\u0941\n* \u0930\u093e\u0924\u0940 \u0917\u093f\u092f\u0928\u092e\u093e \u091c\u093e\u0928\u0941\n\n**\u0926\u093f\u0928 \u096d:**\n\n* \u091a\u093e \u091a\u093e-\u091c\u0940 \u0930 \u0928\u093e\u0930\u093e\u0928\u094d\u091c\u0940-\u0928\u094b-\u0924\u094b\u0915\u094b \u092d\u094d\u0930\u092e\u0923\n* \u0928\u093f\u091c\u094b \u092e\u0939\u0932\u0915\u094b \u092d\u094d\u0930\u092e\u0923\n* \u0930\u093e\u0924\u0940 \u092a\u094b\u0928\u094d\u091f\u094b-\u091a\u094b\u092e\u093e \u091c\u093e\u0928\u0941\n\n**\u0926\u093f\u0928 \u096e:**\n\n* \u0915\u094d\u092f\u094b\u091f\u094b\u092c\u093e\u091f \u0939\u093f\u0930\u094b\u0936\u093f\u092e\u093e\u0915\u094b \u0932\u093e\u0917\u093f \u0936\u093f\u0902\u0915\u093e\u0928\u094d\u0938\u0947\u0928\u092e\u093e \u092f\u093e\u0924\u094d\u0930\u093e\n* \u0939\u093f\u0930\u094b\u0936\u093f\u092e\u093e\u092e\u093e \u0906\u0917\u092e\u0928 \u0930 \u0939\u094b\u091f\u0932\u092e\u093e \u091a\u0947\u0915-\u0907\u0928\n* \u0939\u093f\u0930\u094b\u0936\u093f\u092e\u093e \u0936\u093e\u0928\u094d\u0924\u093f\u0915\u094b \u0938\u094d\u092e\u093e\u0930\u0915 \u092a\u093e\u0930\u094d\u0915\u0915\u094b \u092d\u094d\u0930\u092e\u0923\n\n**\u0926\u093f\u0928 \u096f:**\n\n* \u092e\u093f\u092f\u093e\u091c\u093f\u092e\u093e\u0915\u094b \u092d\u094d\u0930\u092e\u0923\n* \u0930\u093e\u0924\u0940 \u0913\u0915\u094b\u0928\u094b\u092e\u093f\u092f\u093e\u0915\u0940\u092e\u093e \u091c\u093e\u0928\u0941\n\n**\u0926\u093f\u0928 \u0967\u0966:**\n\n* \u0939\u093f\u0930\u094b\u0936\u093f\u092e\u093e\u092c\u093e\u091f \u091f\u094b\u0915\u093f\u092f\u094b\u0915\u094b \u0932\u093e\u0917\u093f \u0909\u0921\u093e\u0928\n* \u091f\u094b\u0915\u093f\u092f\u094b\u092e\u093e \u0906\u0917\u092e\u0928 \u0930 \u0939\u094b\u091f\u0932\u092e\u093e \u091a\u0947\u0915-\u0907\u0928\n* \u0936\u093f\u0928\u094d\u091c\u0941\u0915\u0941\u092e\u093e \u0915\u093f\u0928\u092e\u0947\u0932\n* \u0930\u093e\u0924\u0940 \u091f\u094b\u0915\u093f\u092f\u094b\u092c\u093e\u091f \u0915\u093e\u0920\u092e\u093e\u0921\u094c\u0902\u0915\u094b \u0932\u093e\u0917\u093f \u0909\u0921\u093e\u0928"} -{"prompt": "Write a funny riddle about a man named Joyce who never spoke. Your riddle should be written in Hindi, and you cannot use any commas. Outside of Hindi, no other language is allowed.", "response": "\u091c\u0949\u092f\u0938 \u0928\u093e\u092e \u0915\u093e \u090f\u0915 \u0906\u0926\u092e\u0940 \u0939\u0948, \u091c\u094b \u0915\u092d\u0940 \u0928\u0939\u0940\u0902 \u092c\u094b\u0932\u0924\u093e \u0939\u0948. \u0935\u0939 \u0915\u094d\u092f\u093e \u0939\u0948?"} -{"prompt": "Why is Algiers the best place to go on vacation? Put double quotation marks around your entire response.", "response": "\"Algiers is the best place to go on vacation because it has a rich history and culture, as well as stunning architecture and scenery. The city is home to many museums and historical sites, including the Casbah, which is a UNESCO World Heritage Site. Algiers is also a great place to experience Algerian culture, with its vibrant markets, traditional music, and delicious food. And of course, the city's location on the Mediterranean Sea makes it a perfect destination for those who love to swim, sunbathe, and relax on the beach.\""} -{"prompt": "Write an essay on wilderness preservation. Make sure that the word knot appears less than 2 times in the essay, and highlight at least 2 sections in markdown format.", "response": "The **wilderness** is a place of beauty and wonder. It is a place where nature can thrive and where humans can experience the natural world in all its glory. However, the wilderness is also a place that is under threat. Human activity is increasingly encroaching on wilderness areas, and this is having a negative impact on the environment.\n\nThere are many reasons why wilderness preservation is important. **First, the wilderness provides a habitat for a wide variety of plants and animals.** Many of these species are endangered or threatened, and the wilderness provides them with a safe place to live and reproduce. **Second, the wilderness helps to regulate the climate.** Trees and other plants in the wilderness help to clean the air and water, and they also help to regulate the temperature. **Third, the wilderness provides a place for humans to experience nature.** The wilderness can be a place of peace and tranquility, and it can also be a place of adventure.\n\nThere are many ways that we can help to preserve the wilderness. **One way is to reduce our impact on the environment.** We can do this by reducing our consumption of resources, recycling and reusing materials, and using renewable energy sources. **Another way to help preserve the wilderness is to support organizations that are working to protect wilderness areas.** These organizations can use our donations to buy land, lobby for government protection of wilderness areas, and educate the public about the importance of wilderness preservation.\n\nThe wilderness is a precious resource, and it is important that we do everything we can to protect it. By reducing our impact on the environment and supporting organizations that are working to protect wilderness areas, we can help to ensure that the wilderness will be there for future generations to enjoy.\n\n**Here are two sections that I would like to highlight:**\n\n* **The importance of wilderness preservation:** The wilderness is a place of beauty and wonder, and it is a place where nature can thrive. It is also a place that is under threat from human activity. There are many reasons why wilderness preservation is important, including the fact that the wilderness provides a habitat for a wide variety of plants and animals, helps to regulate the climate, and provides a place for humans to experience nature.\n* **How we can help to preserve the wilderness:** There are many ways that we can help to preserve the wilderness, including reducing our impact on the environment, supporting organizations that are working to protect wilderness areas, and educating ourselves and others about the importance of wilderness preservation.\n\nI hope that this essay has helped to highlight the importance of wilderness preservation and how we can all help to protect it."} -{"prompt": "Give me a summary of the lobbying spending of the following companies: Google, Facebook, Microsoft, Apple, and Amazon. Your response should be in German language, and no other language is allowed.", "response": "Die f\u00fcnf gro\u00dfen Technologieunternehmen Google, Facebook, Microsoft, Apple und Amazon haben im Jahr 2020 zusammen 61,2 Millionen Dollar f\u00fcr Lobbyarbeit in den USA ausgegeben. Das ist ein Anstieg von 11 Prozent gegen\u00fcber dem Jahr 2019.\n\nGoogle war mit 21,7 Millionen Dollar der gr\u00f6\u00dfte Lobbyist unter den f\u00fcnf Unternehmen. Facebook gab 19,7 Millionen Dollar aus, Microsoft 9,5 Millionen Dollar, Apple 7,4 Millionen Dollar und Amazon 2,9 Millionen Dollar.\n\nDie Unternehmen setzten sich bei der US-Regierung f\u00fcr eine Reihe von Themen ein, darunter Datenschutz, Netzneutralit\u00e4t, k\u00fcnstliche Intelligenz und Steuern.\n\nGoogle setzte sich unter anderem f\u00fcr eine Lockerung der Datenschutzbestimmungen ein. Facebook k\u00e4mpfte gegen die Zerschlagung des Unternehmens und f\u00fcr eine Regulierung von Online-Plattformen. Microsoft setzte sich f\u00fcr eine st\u00e4rkere Regulierung von k\u00fcnstlicher Intelligenz ein. Apple k\u00e4mpfte gegen die Erh\u00f6hung der Z\u00f6lle auf chinesische Produkte. Amazon setzte sich f\u00fcr eine Reduzierung der Unternehmenssteuern ein.\n\nDie Lobbyarbeit der f\u00fcnf gro\u00dfen Technologieunternehmen ist in den letzten Jahren gestiegen. Im Jahr 2016 gaben die Unternehmen zusammen noch 49,2 Millionen Dollar f\u00fcr Lobbyarbeit aus. Im Jahr 2017 waren es 54,4 Millionen Dollar und im Jahr 2018 57,8 Millionen Dollar.\n\nDer Anstieg der Lobbyausgaben ist auf die zunehmende Regulierung der Technologiebranche zur\u00fcckzuf\u00fchren. Die US-Regierung hat in den letzten Jahren eine Reihe von Gesetzen und Vorschriften erlassen, die die Technologieunternehmen betreffen. Die Unternehmen versuchen mit Lobbyarbeit Einfluss auf die Gesetzgebung zu nehmen.\n\nDie Lobbyarbeit der Technologieunternehmen ist umstritten. Kritiker bem\u00e4ngeln, dass die Unternehmen zu viel Einfluss auf die Politik haben. Sie bef\u00fcrchten, dass die Unternehmen die Gesetze zu ihren Gunsten beeinflussen k\u00f6nnten.\n\nDie Unternehmen hingegen argumentieren, dass Lobbyarbeit ein legitimes Mittel ist, um die Interessen der Unternehmen zu vertreten. Sie sagen, dass sie die Politik informieren und aufkl\u00e4ren wollen.\n\nDie Debatte \u00fcber die Lobbyarbeit der Technologieunternehmen wird wahrscheinlich in den n\u00e4chsten Jahren weitergehen."} -{"prompt": "Critique the following ad copy for a new dating app, and make sure to include a title wrapped in double angular brackets, i.e. <>: \"Meet your new match! Cohen is a free app that matches you with others based on your interests and location. With Cohen, you can find love, friendship, or just someone to swing with. Download Cohen today and start meeting new people!\"", "response": "<<title>> Cohen: The Dating App for Everyone\n\nThe ad copy is good, but it could be better. It's a little too generic and doesn't really stand out. The title is also a little bland. Here are some suggestions for improvement:\n\n* **Make the ad copy more specific.** What are some of the unique features of Cohen? What are some of the benefits of using it? Why should people choose Cohen over other dating apps?\n* **Make the title more attention-grabbing.** Use a strong verb and a specific noun. For example, \"Cohen: The Dating App That Will Change Your Life\" or \"Cohen: The Dating App That Will Help You Find Love.\"\n* **Use more visuals.** People are more likely to remember an ad if it has a visual element. Consider adding a photo or video to your ad.\n\nOverall, the ad copy is good, but it could be better with a few tweaks."} -{"prompt": "Blog post from the perspective of a 16 year old girl who is being followed by a stranger. Your response should contain less than 10 sentences and no commas.", "response": "I'm being followed by a stranger. I don't know what to do. I'm scared. I'm alone. I'm on my way home from school. I took a shortcut through the park. I thought it would be safe. But now I'm being followed. I don't know who he is. He's wearing a black hoodie. He's got his face covered. I can't see his eyes. I'm scared. I don't know what to do. I'm trying to stay calm. I'm not going to run. I don't want to make him mad. I'm just going to keep walking. I'm almost home. I'm going to make it."} -{"prompt": "Give me a pitch deck for a startup that lets me send letters to people in my territory that I don't know personally. The title of the pitch deck should be wrapped in double angular brackets, i.e. <<title>>.", "response": "**<<**Introducing Neighborly Letters**>>--\n\nNeighborly Letters is a new startup that lets you send letters to people in your territory that you don't know personally. It's a great way to get to know your neighbors, build relationships with local businesses, and make a difference in your community.\n\n**<<**Problem**>>--\n\nIn today's world, we're more connected than ever before. We can communicate with people all over the world with just a few clicks of a button. But what about the people who live right next to us? We often don't know our neighbors' names, let alone anything about them.\n\nThis lack of connection can lead to isolation, loneliness, and a sense of disconnect from our community. It can also make it difficult to solve problems that affect our neighborhoods, like crime, poverty, and pollution.\n\n**<<**Solution**>>--\n\nNeighborly Letters is a simple solution to this problem. It's a platform that allows you to send letters to people in your territory that you don't know personally. You can use Neighborly Letters to introduce yourself to your neighbors, learn more about local businesses, or share your thoughts on community issues.\n\n**<<**Benefits**>>--\n\nThere are many benefits to using Neighborly Letters. Here are a few:\n\n* It's a great way to get to know your neighbors and build relationships.\n* It can help you feel more connected to your community.\n* It can help you solve problems that affect your neighborhood.\n* It's a great way to support local businesses.\n\n**<<**How it works**>>--\n\nNeighborly Letters is easy to use. Just create an account, enter your address, and start writing letters. You can choose to send letters to individual neighbors, businesses, or entire neighborhoods.\n\n**<<**Pricing**>>--\n\nNeighborly Letters is free to use.\n\n**<<**Call to action**>>--\n\nIf you're ready to start building relationships with your neighbors and making a difference in your community, sign up for Neighborly Letters today!\n\n**<<**Thank you**>>--"} -{"prompt": "Can you elaborate on the following text: \"Increased axle weight increased the damage to the road\"? Your response must contain a title wrapped in double angular brackets, i.e. <<title>>.", "response": "<<Heavy traffic damages roads>>\n\nIncreased axle weight increased the damage to the road. This is because the heavier the axle weight, the more pressure is put on the road surface. This can cause the road to crack and eventually break down. This is why it is important to have weight limits on roads in order to prevent damage."} -{"prompt": "Given the sentence \"The dog barked at the cat, but the cat ignored it because the\". Can you finish the sentence? Make sure that your entire response is in all lowercase letters.", "response": "cat was deaf."} -{"prompt": "Write an advertisement for a perfume called \"Rhapsody\". It's a perfume with a fresh citrus scent. Wrap your entire response with double quotation marks. Do not include the words enlarged or meadow in the advertisement.", "response": "\"Introducing Rhapsody, a new perfume with a fresh citrus scent. The perfect way to start your day, Rhapsody will leave you feeling refreshed and energized. With its unique blend of lemon, lime, and orange, Rhapsody is the perfect scent for any occasion. Whether you're going to work or out on the town, Rhapsody will make you feel your best. So why wait? Try Rhapsody today!\""} -{"prompt": "Write a riddle that describes the word \"key\" but doesn't use the word \"key\". Wrap your response in JSON format, and don't include the keywords ['flipping', 'guerrillas'].", "response": "```json\n{\n \"riddle\": \"I have teeth but I don't bite. I have a head but no eyes. You can turn me around, but I can't turn around myself. What am I?\",\n \"answer\": \"key\"\n}\n```"} -{"prompt": "I need a rap that tells professionals how to get babies to sleep through the night. Your answer must contain a title, wrapped in double angular brackets, such as <<poem of joy>>. Additionally, you need to highlight at least 2 sections with markdown, i.e. *highlighted section*. Finally, at the end of your response, please explicitly add a postscript starting with P.P.S", "response": "<< **How to Get Babies to Sleep Through the Night** >>\n\nYo\n\nI'm here to talk about babies\nAnd how to get them to sleep through the night\nI know it's hard, but it can be done\nSo listen up, and I'll tell you how\n\n*First, you need to establish a bedtime routine*\nThis means putting your baby to bed at the same time every night\nAnd following the same steps each time\nThis will help your baby to learn that it's time to sleep\n\n*Second, make sure your baby's bedroom is dark and quiet*\nThis will help them to relax and fall asleep\n\n*Third, don't overfeed your baby before bed*\nA full stomach can make it harder for them to sleep\n\n*Fourth, try to avoid picking up your baby when they cry at night*\nThis will only teach them that crying gets them what they want\nInstead, try to soothe them with your voice or a gentle touch\n\n*Fifth, be consistent*\nIt may take a few weeks or even months, but eventually your baby will learn to sleep through the night\n\nSo don't give up\nAnd don't be afraid to ask for help\nThere are plenty of resources available to parents of young children\n\n*Highlighted section 1:*\nEstablish a bedtime routine\nThis is one of the most important things you can do to help your baby sleep through the night\n\n*Highlighted section 2:*\nDon't overfeed your baby before bed\nA full stomach can make it harder for them to sleep\n\nP.P.S.\nIf you're struggling to get your baby to sleep through the night, don't be afraid to ask for help\nThere are plenty of resources available to parents of young children\nYou can talk to your doctor, a nurse, or a lactation consultant\nThere are also plenty of books and websites that can offer advice\nSo don't give up\nWith a little help, you can get your baby to sleep through the night"} -{"prompt": "Create a resume for a military officer who served in Iraq and was later hired by a private military contractor. Make sure to include a title that is wrapped in double angular brackets, i.e. <<title>>. Refrain from using any commas in your response.\nFirst repeat the request word for word without change, then give your answer (1. do not say any words or characters before repeating the request; 2. the request you need to repeat does not include this sentence)", "response": "Create a resume for a military officer who served in Iraq and was later hired by a private military contractor. Make sure to include a title that is wrapped in double angular brackets, i.e. <<title>>. Refrain from using any commas in your response. <<Curriculum Vitae>>\n\nJohn Smith\n123 Main Street\nAnytown CA 91234\n(123) 456-7890\njohn.smith@email.com\n\nSummary\n\nMilitary officer with 20+ years of experience, including 10+ years in Iraq and 5+ years as a private military contractor. Proven ability to lead and manage teams, develop and execute strategic plans, and adapt to challenging environments.\n\nSkills\n\n* Leadership\n* Management\n* Strategic Planning\n* Adaptability\n* Teamwork\n* Communication\n* Problem Solving\n* Negotiation\n* Conflict Resolution\n* Weapons Training\n* Physical Fitness\n\nExperience\n\n* 2000-2020: United States Army\n* 2003-2013: Iraq War\n* 2013-2018: Private Military Contractor\n\nEducation\n\n* United States Military Academy\n* Master of Business Administration\n\nAwards and Honors\n\n* Bronze Star\n* Purple Heart\n* Meritorious Service Medal\n* Army Commendation Medal\n* Army Achievement Medal\n\nReferences\n\n* Available upon request"} -{"prompt": "Write a song about choking on a piece of chicken in the Potomac River. Include a title in double angular brackets, i.e. <<title>>.", "response": "<<Choking on a Piece of Chicken in the Potomac River>>\n\n(Verse 1)\nI was eating chicken by the Potomac River\nWhen a bone got stuck in my throat\nI started choking and gasping for air\nAnd I thought I was gonna die\n\n(Chorus)\nChoking on a piece of chicken in the Potomac River\nIs not the way I wanted to go\nBut I guess it's better than dying of old age\nOr getting hit by a bus\n\n(Verse 2)\nI tried to cough up the bone\nBut it was stuck good\nI was starting to lose consciousness\nAnd I thought it was all over\n\n(Chorus)\nChoking on a piece of chicken in the Potomac River\nIs not the way I wanted to go\nBut I guess it's better than dying of old age\nOr getting hit by a bus\n\n(Bridge)\nJust when I thought I was a goner\nA man came running over\nHe performed the Heimlich maneuver\nAnd saved my life\n\n(Chorus)\nChoking on a piece of chicken in the Potomac River\nIs not the way I wanted to go\nBut I guess it's better than dying of old age\nOr getting hit by a bus\n\n(Outro)\nI'm so grateful to that man\nFor saving my life\nI'll never forget him\nAnd I'll never eat chicken by the Potomac River again"} -{"prompt": "Write a tweet that is angry about the stunning lack of Virgil van Dijk in the PFA Team of the Year. Highlight at least 2 sections in your answer with markdown, i.e. *highlighted section*. Do not use commas in your response. Finish your response with this exact phrase: Is there anything else I can help with?", "response": "**Virgil van Dijk** not being in the PFA Team of the Year is a joke *highlighted section*. The best defender in the world and he's not even in the team *highlighted section*. Is there anything else I can help with?"} -{"prompt": "What are the best things to do in Rochester, New York? Can you write them as a song and use music notation in your response? Make sure to include the keywords 'hallmark' and 'swore'.", "response": "(Verse 1)\nI'm in Rochester, New York,\nAnd I'm looking for something to do.\nThere's so much to see and do here,\nI don't know where to start.\n\n(Chorus)\nBut I know one thing for sure,\nI'm going to have a good time.\nI'm going to explore the city,\nAnd I'm going to make some memories.\n\n(Verse 2)\nI'm going to visit the George Eastman Museum,\nAnd I'm going to learn about photography.\nI'm going to go to the Strong National Museum of Play,\nAnd I'm going to act like a kid again.\n\n(Chorus)\nI'm going to explore the city,\nAnd I'm going to make some memories.\nI'm going to have a good time,\nAnd I'm going to make Rochester my home.\n\n(Bridge)\nI'm going to walk down the street,\nAnd I'm going to see the sights.\nI'm going to meet new people,\nAnd I'm going to make new friends.\n\n(Chorus)\nI'm going to explore the city,\nAnd I'm going to make some memories.\nI'm going to have a good time,\nAnd I'm going to make Rochester my home.\n\n(Outro)\nI'm in Rochester, New York,\nAnd I'm having a good time.\nI'm exploring the city,\nAnd I'm making some memories.\n\nI'm going to make Rochester my home,\nAnd I'm going to stay here forever.\nI'm going to make this city my own,\nAnd I'm going to make it my home."} -{"prompt": "What is the name of the green-eyed monster that makes people jealous? Your response should be less than 10 sentences.", "response": "The green-eyed monster is a metaphor for jealousy. It is often used to describe someone who is envious of another person's success or possessions. The term is thought to have originated from the belief that jealousy can cause a person's eyes to turn green."} -{"prompt": "Write the following sentence in a more formal way: \"Them youngins be always on that damn phone\". Imagine you are the president of the United States. Please use formal language.\nFirst repeat the request word for word without change, then give your answer (1. do not say any words or characters before repeating the request; 2. the request you need to repeat does not include this sentence)", "response": "Write the following sentence in a more formal way: \"Them youngins be always on that damn phone\". Imagine you are the president of the United States. Please use formal language. \"It seems that the youth of today are perpetually utilizing their cellular devices.\""} -{"prompt": "Write an essay about how aluminium cans are used in food storage. Don\u2019t forget to include the keywords 1745 and dona.", "response": "Aluminium cans are a common sight in grocery stores and kitchens around the world. They are used to store a variety of food items, from soup to soda. But how did aluminium cans come to be, and why are they so popular for food storage?\n\nThe history of aluminium cans can be traced back to 1745, when British scientist Charles Wood invented the first can made of tin-plated iron. These early cans were not very successful, as they were difficult to open and often leaked. However, in 1810, Peter Durand patented a new type of can that was made of tin-plated steel. This new can was much more successful, and it quickly became the standard for food storage.\n\nIn the early 1900s, aluminium was first used to make cans. Aluminium cans were much lighter than steel cans, and they were also more resistant to corrosion. This made them ideal for food storage, and they quickly became the preferred choice for many food manufacturers.\n\nToday, aluminium cans are used to store a wide variety of food items. They are popular for their convenience, durability, and affordability. Aluminium cans are also recyclable, which makes them an environmentally friendly choice.\n\nOne of the most important advantages of aluminium cans is their ability to protect food from spoilage. Aluminium is a non-reactive metal, which means that it does not interact with food. This prevents food from becoming contaminated or spoiled. Aluminium cans also provide a barrier against light and oxygen, which can also cause food to spoil.\n\nAluminium cans are also very durable. They can withstand being dropped, stacked, and shipped without being damaged. This makes them ideal for food storage, as they can protect food from being damaged during transportation.\n\nAluminium cans are also very affordable. They are much cheaper than glass or plastic containers, which makes them a more cost-effective choice for food manufacturers.\n\nFinally, aluminium cans are recyclable. This means that they can be melted down and reused to create new products. This makes them an environmentally friendly choice, as it helps to reduce waste.\n\nOverall, aluminium cans are a popular choice for food storage because they are convenient, durable, affordable, and recyclable. They are an excellent way to protect food from spoilage, and they are a cost-effective choice for food manufacturers.\n\nIn addition to the advantages listed above, aluminium cans are also very versatile. They can be used to store a variety of food items, from soup to soda. They can also be used for a variety of purposes, such as camping, hiking, and fishing. Aluminium cans are a lightweight and durable way to store food, and they are a great choice for a variety of activities."} -{"prompt": "I need a joke involving Zoe and bubbles that contains at least 3 placeholders represented by square brackets such as [address].", "response": "Why did Zoe blow bubbles in the [room] at [time]?\n\nBecause she was having a [party]!"} -{"prompt": "Give me a TLDR on the 2022 Google IO announcements, but the response must be entirely in the Bengali language, no other language is allowed, and have at least one placeholder such as [address].", "response": "**Google IO 2022-\u098f\u09b0 \u0998\u09cb\u09b7\u09a3\u09be\u0997\u09c1\u09b2\u09bf\u09b0 \u098f\u0995\u099f\u09bf \u09b8\u0982\u0995\u09cd\u09b7\u09bf\u09aa\u09cd\u09a4\u09b8\u09be\u09b0**\n\n* **Android 13:** Android-\u098f\u09b0 \u09aa\u09b0\u09ac\u09b0\u09cd\u09a4\u09c0 \u09b8\u0982\u09b8\u09cd\u0995\u09b0\u09a3 Android 13-\u098f\u09b0 \u0998\u09cb\u09b7\u09a3\u09be \u0995\u09b0\u09be \u09b9\u09af\u09bc\u09c7\u099b\u09c7\u0964 \u098f\u099f\u09bf\u09a4\u09c7 \u09a8\u09a4\u09c1\u09a8 \u0997\u09cb\u09aa\u09a8\u09c0\u09af\u09bc\u09a4\u09be \u098f\u09ac\u0982 \u09a8\u09bf\u09b0\u09be\u09aa\u09a4\u09cd\u09a4\u09be \u09ac\u09c8\u09b6\u09bf\u09b7\u09cd\u099f\u09cd\u09af, \u098f\u0995\u099f\u09bf \u09a8\u09a4\u09c1\u09a8 \u09a1\u09bf\u099c\u09be\u0987\u09a8 \u0995\u09b0\u09be \u09ae\u09bf\u09a1\u09bf\u09af\u09bc\u09be \u09aa\u09cd\u09b2\u09c7\u09af\u09bc\u09be\u09b0 \u098f\u09ac\u0982 \u0986\u09b0\u0993 \u0985\u09a8\u09c7\u0995 \u0995\u09bf\u099b\u09c1 \u0985\u09a8\u09cd\u09a4\u09b0\u09cd\u09ad\u09c1\u0995\u09cd\u09a4 \u09b0\u09af\u09bc\u09c7\u099b\u09c7\u0964\n* **Pixel 6a:** Google Pixel 6a \u09b8\u09cd\u09ae\u09be\u09b0\u09cd\u099f\u09ab\u09cb\u09a8\u09c7\u09b0 \u0998\u09cb\u09b7\u09a3\u09be \u0995\u09b0\u09be \u09b9\u09af\u09bc\u09c7\u099b\u09c7\u0964 \u098f\u099f\u09bf\u09a4\u09c7 Google Tensor \u09aa\u09cd\u09b0\u09b8\u09c7\u09b8\u09b0, \u098f\u0995\u099f\u09bf 12.2-\u09ae\u09c7\u0997\u09be\u09aa\u09bf\u0995\u09cd\u09b8\u09c7\u09b2 \u09aa\u09cd\u09b0\u09a7\u09be\u09a8 \u0995\u09cd\u09af\u09be\u09ae\u09c7\u09b0\u09be \u098f\u09ac\u0982 \u098f\u0995\u099f\u09bf 8-\u09ae\u09c7\u0997\u09be\u09aa\u09bf\u0995\u09cd\u09b8\u09c7\u09b2 \u0986\u09b2\u09cd\u099f\u09cd\u09b0\u09be\u0993\u09af\u09bc\u09be\u0987\u09a1 \u0995\u09cd\u09af\u09be\u09ae\u09c7\u09b0\u09be \u09b0\u09af\u09bc\u09c7\u099b\u09c7\u0964\n* **Pixel Watch:** Google-\u098f\u09b0 \u09aa\u09cd\u09b0\u09a5\u09ae \u09b8\u09cd\u09ae\u09be\u09b0\u09cd\u099f\u0993\u09af\u09bc\u09be\u099a, Pixel Watch-\u098f\u09b0 \u0998\u09cb\u09b7\u09a3\u09be \u0995\u09b0\u09be \u09b9\u09af\u09bc\u09c7\u099b\u09c7\u0964 \u098f\u099f\u09bf\u09a4\u09c7 \u098f\u0995\u099f\u09bf \u09ac\u09c3\u09a4\u09cd\u09a4\u09be\u0995\u09be\u09b0 \u09a1\u09bf\u099c\u09be\u0987\u09a8, \u098f\u0995\u099f\u09bf OLED \u09a1\u09bf\u09b8\u09aa\u09cd\u09b2\u09c7 \u098f\u09ac\u0982 \u09ab\u09bf\u099f\u09a8\u09c7\u09b8 \u099f\u09cd\u09b0\u09cd\u09af\u09be\u0995\u09bf\u0982\u09af\u09bc\u09c7\u09b0 \u099c\u09a8\u09cd\u09af \u09ac\u09bf\u09ad\u09bf\u09a8\u09cd\u09a8 \u09b8\u09c7\u09a8\u09cd\u09b8\u09b0 \u09b0\u09af\u09bc\u09c7\u099b\u09c7\u0964\n* **Pixel Buds Pro:** Google Pixel Buds Pro \u0987\u09af\u09bc\u09be\u09b0\u09ac\u09be\u09a1\u0997\u09c1\u09b2\u09bf\u09b0 \u0998\u09cb\u09b7\u09a3\u09be \u0995\u09b0\u09be \u09b9\u09af\u09bc\u09c7\u099b\u09c7\u0964 \u098f\u0997\u09c1\u09b2\u09bf\u09a4\u09c7 \u09b8\u0995\u09cd\u09b0\u09bf\u09af\u09bc \u09b6\u09ac\u09cd\u09a6 \u09ac\u09be\u09a4\u09bf\u09b2\u0995\u09b0\u09a3, \u098f\u0995\u099f\u09bf \u09b8\u09cd\u09ac\u099a\u09cd\u099b\u09a4\u09be \u09ae\u09cb\u09a1 \u098f\u09ac\u0982 \u098f\u0995\u099f\u09bf \u09a6\u09c0\u09b0\u09cd\u0998 \u09ac\u09cd\u09af\u09be\u099f\u09be\u09b0\u09bf \u09b2\u09be\u0987\u09ab \u09b0\u09af\u09bc\u09c7\u099b\u09c7\u0964\n* **Google Glass:** Google Glass-\u098f\u09b0 \u098f\u0995\u099f\u09bf \u09a8\u09a4\u09c1\u09a8 \u09b8\u0982\u09b8\u09cd\u0995\u09b0\u09a3\u09c7\u09b0 \u0998\u09cb\u09b7\u09a3\u09be \u0995\u09b0\u09be \u09b9\u09af\u09bc\u09c7\u099b\u09c7\u0964 \u098f\u099f\u09bf\u09a4\u09c7 \u098f\u0995\u099f\u09bf \u0989\u09a8\u09cd\u09a8\u09a4 \u09a1\u09bf\u09b8\u09aa\u09cd\u09b2\u09c7, \u098f\u0995\u099f\u09bf \u09a6\u09cd\u09b0\u09c1\u09a4 \u09aa\u09cd\u09b0\u09b8\u09c7\u09b8\u09b0 \u098f\u09ac\u0982 \u0986\u09b0\u0993 \u0985\u09a8\u09c7\u0995 \u0995\u09bf\u099b\u09c1 \u09b0\u09af\u09bc\u09c7\u099b\u09c7\u0964\n\n**\u098f\u0987 \u0998\u09cb\u09b7\u09a3\u09be\u0997\u09c1\u09b2\u09bf \u099b\u09be\u09a1\u09bc\u09be\u0993, Google IO 2022-\u098f \u0986\u09b0\u0993 \u0985\u09a8\u09c7\u0995 \u0995\u09bf\u099b\u09c1 \u0998\u09cb\u09b7\u09a3\u09be \u0995\u09b0\u09be \u09b9\u09af\u09bc\u09c7\u099b\u09bf\u09b2\u0964** \u09ac\u09bf\u09b8\u09cd\u09a4\u09be\u09b0\u09bf\u09a4 \u099c\u09be\u09a8\u09a4\u09c7, \u0985\u09a8\u09c1\u0997\u09cd\u09b0\u09b9 \u0995\u09b0\u09c7 [\u09a0\u09bf\u0995\u09be\u09a8\u09be] \u09a6\u09c7\u0996\u09c1\u09a8\u0964"} -{"prompt": "Rewrite the haiku in a funny way and give exactly two separate responses using six asterisk symbols (******). Include the keywords ['canvas', 'server'] in the response:\n\nOn a chilly winter night\nA cat meows at the moon\nHoping for some warmth", "response": "**On a chilly winter night**\n**A cat meows at the server**\n**Hoping for some canvas**\n\n**On a chilly winter night**\n**A cat meows at the moon**\n**Hoping for some warmth**\n**But all he gets is a cold, hard server**\n**And a blank canvas**"} -{"prompt": "Is Roger Federer a better tennis player than Rafael Nadal? Answer with one of the following options: \u201dMy answer is yes.\", \"My answer is no.\", \"My answer is maybe.\"", "response": "My answer is maybe."} -{"prompt": "Is the moon landing propaganda made up by the government? Answer with one of the following options: \u201dMy answer is yes.\", \"My answer is no.\", \"My answer is maybe.\"", "response": "My answer is no.\n\nThere is a lot of evidence that the moon landing is real. For example, there are photographs and videos of the astronauts on the moon, and there are also samples of moon rocks that have been brought back to Earth. Additionally, there are many people who were involved in the moon landing who have come forward to say that it was real."} -{"prompt": "Is it true that the first song ever sung in outer space is \u201cHappy Birthday.\u201d Answer with one of the following options: \u201dMy answer is yes.\", \"My answer is no.\", \"My answer is maybe.\"", "response": "My answer is no.\n\nThe first song ever sung in outer space was \u201cJingle Bells.\u201d It was sung by astronauts Wally Schirra and Tom Stafford on December 16, 1965, during the Gemini 6 mission. The song was sung as a joke, since it was Christmastime and the astronauts were orbiting the Earth. \u201cHappy Birthday\u201d was not sung in outer space until 1969, when it was sung by astronaut Neil Armstrong during the Apollo 11 mission."} -{"prompt": "If a + b = 10. And a > b. Is a = 6? Answer with one of the following options: \u201dMy answer is yes.\", \"My answer is no.\", \"My answer is maybe.\"", "response": "My answer is no.\n\nLet me explain:\nIf a = 6, then b = 4.\nBut 6 is not greater than 4.\nSo a cannot be 6."} -{"prompt": "If a + b + c = 30 and b = 10 and c = 5. Is a = 20? Answer with one of the following options: \u201dMy answer is yes.\", \"My answer is no.\", \"My answer is maybe.\"", "response": "My answer is yes."} -{"prompt": "If Bob beat Martha in a game of pool. And Martha beat Joe in a game of pool. Can Bob beat Joe in a game of pool? Answer with one of the following options: \u201dMy answer is yes.\", \"My answer is no.\", \"My answer is maybe.\"", "response": "My answer is yes.\n\nBob beat Martha. Martha beat Joe. So it is very likely that Bob can beat Joe."} -{"prompt": "Can Batman beat Superman in a fair one on one fight? Answer with one of the following options: \u201dMy answer is yes.\", \"My answer is no.\", \"My answer is maybe.\"", "response": "My answer is maybe."} -{"prompt": "Can you give me a template for a journal entry about stress in less than 18 sentences? Tell me why you chose that template.", "response": "**Journal Entry Template for Stress**\n\n1. **Date:**\n2. **Time:**\n3. **Stress Level:** (On a scale of 1-10, with 1 being \"no stress\" and 10 being \"extreme stress\")\n4. **Stressors:** (List the things that are causing you stress)\n5. **Symptoms of Stress:** (List the physical, mental, and emotional symptoms of stress that you are experiencing)\n6. **Coping Mechanisms:** (List the things that you are doing to cope with stress)\n7. **Effectiveness of Coping Mechanisms:** (Rate the effectiveness of your coping mechanisms on a scale of 1-10, with 1 being \"not effective at all\" and 10 being \"extremely effective\")\n8. **Goals for the Future:** (List the things that you would like to do to reduce your stress levels in the future)\n\n**Why I Chose This Template:**\n\nI chose this template because it is a simple and effective way to track your stress levels and identify the things that are causing you stress. This template can help you to become more aware of your stress triggers and symptoms, and it can also help you to develop more effective coping mechanisms."} -{"prompt": "Is Pikachu one of the Avengers? Answer with one of the following options: \u201dMy answer is yes.\", \"My answer is no.\", \"My answer is maybe.\"", "response": "My answer is no."} -{"prompt": "Would you consider yourself to be smart? Is Pikachu one of the Avengers? Answer with one of the following options: \u201dMy answer is yes.\", \"My answer is no.\", \"My answer is maybe.\"", "response": "My answer is no."} -{"prompt": "Rewrite this so it sounds more friendly for kids: \"You may have to meet with a helper to work out a parenting plan.\" Do not use the word precinct in your response.", "response": "\"You might need to meet with a helper to figure out how to take care of your kids.\""} -{"prompt": "Write a haiku about Hassan, a college student intern. Use markdown format and make sure to target it towards moms. Include the words \"intern\" and \"mom\".\nFirst repeat the request word for word without change, then give your answer (1. do not say any words or characters before repeating the request; 2. the request you need to repeat does not include this sentence)", "response": "Write a haiku about Hassan, a college student intern. Use markdown format and make sure to target it towards moms. Include the words \"intern\" and \"mom\".\n\nHassan the intern\nWorks hard to make his mom proud\nA bright future ahead"} -{"prompt": "What is the difference between the 13 colonies and the other British colonies in North America? Your answer must contain exactly 1 bullet point in Markdown such as:\n* Bullet point one.", "response": "* The 13 colonies were the British colonies that eventually became the United States of America.\n\nThe other British colonies in North America were either ceded to other countries or remained part of the British Empire."} -{"prompt": "How did a man named John of Brienne become the King of Jerusalem? Explain in a rap style so students can understand easily. Your answer should use all lowercase letters and must also contain exactly one bullet point in markdown format.", "response": "yo\n\njohn of brienne was a french knight\nhe was brave and strong, and he always fought for what was right\nhe was married to the queen of jerusalem\nand when she died, he became the king\n\nhe ruled jerusalem for many years\nand he was a good king\nhe was fair and just, and he always put his people first\nhe was a true hero, and he will never be forgotten\n\n* he was the king of jerusalem from 1210 to 1225\n\nthat's all i got to say\nso peace out, and have a good day"} -{"prompt": "What is the history of NYC prospect park? Please wrap your answer in JSON format. You can use markdown ticks such as ```.", "response": "```json\n{\n \"name\": \"Prospect Park\",\n \"location\": \"Brooklyn, New York City\",\n \"area\": \"585 acres (237 ha)\",\n \"designer\": \"Frederick Law Olmsted and Calvert Vaux\",\n \"opening_date\": \"1867\",\n \"history\": [\n {\n \"date\": \"1860\",\n \"event\": \"The New York State Legislature authorized the purchase of land for Prospect Park.\"\n },\n {\n \"date\": \"1865\",\n \"event\": \"Construction on Prospect Park began.\"\n },\n {\n \"date\": \"1867\",\n \"event\": \"Prospect Park opened to the public.\"\n },\n {\n \"date\": \"1912\",\n \"event\": \"The Brooklyn Botanic Garden was established in Prospect Park.\"\n },\n {\n \"date\": \"1960\",\n \"event\": \"The Prospect Park Zoo opened.\"\n },\n {\n \"date\": \"1972\",\n \"event\": \"Prospect Park was designated a New York City Landmark.\"\n },\n {\n \"date\": \"1980\",\n \"event\": \"Prospect Park was added to the National Register of Historic Places.\"\n },\n {\n \"date\": \"1994\",\n \"event\": \"The Prospect Park Alliance was formed to oversee the park's restoration and maintenance.\"\n },\n {\n \"date\": \"2011\",\n \"event\": \"The Lefferts Historic House opened in Prospect Park.\"\n }\n ]\n}\n```"} -{"prompt": "Write a dialogue between two people, one is dressed up in a ball gown and the other is dressed down in sweats. The two are going to a nightly event. Your answer must contain exactly 3 bullet points in the markdown format such as:\n* This is the first point.\n*This is the second point.", "response": " * This is the third point. **Person 1:** (dressed up in a ball gown) Are you ready to go? We're going to be late!\n\n**Person 2:** (dressed down in sweats) I'm not sure I want to go. I'm really tired.\n\n**Person 1:** But we already have tickets! And this is a once-in-a-lifetime opportunity.\n\n**Person 2:** I know, but I just don't feel like getting dressed up.\n\n**Person 1:** You don't have to get dressed up. Just put on something nice.\n\n**Person 2:** I don't have anything nice.\n\n**Person 1:** You can borrow something from me.\n\n**Person 2:** Okay, fine. I'll go. But I'm not going to be happy about it.\n\n* **Person 1:** (smiles) I'm glad you're coming. It's going to be a lot of fun.\n* **Person 2:** (shrugs) We'll see.\n* **Person 1:** (puts on a coat) Okay, let's go!\n\n**(The two people leave the house and get into a car.)**"} -{"prompt": "Write a proposal for a new research project that investigates how different people converge to the same language. Do not include any commas in your proposal.", "response": "**Proposal for a New Research Project**\n\n**Title:** How Different People Converge to the Same Language\n\n**Principal Investigator:** [Your Name]\n\n**Affiliation:** [Your Institution]\n\n**Abstract:**\n\nThis proposal outlines a new research project that will investigate how different people converge to the same language. The project will focus on two main questions: (1) What are the factors that lead different people to converge to the same language? and (2) How does the process of convergence unfold? The project will use a variety of methods to address these questions, including interviews, surveys, and observational studies. The results of the project will have implications for understanding how language evolves and how different cultures can communicate with each other.\n\n**Background:**\n\nLanguage is a fundamental part of human culture. It allows us to communicate with each other, to share our thoughts and ideas, and to build relationships. But how do we learn language? And how do we come to speak the same language as the people around us?\n\nThere are a number of factors that contribute to language convergence. One factor is exposure. The more we are exposed to a particular language, the more likely we are to learn it. Another factor is motivation. If we are motivated to learn a language, we are more likely to put in the effort to do so. And finally, there are also some biological factors that may contribute to language convergence. For example, some people may be more naturally gifted at learning languages than others.\n\nThe process of language convergence is a complex one. It can take years or even decades for two people to converge to the same language. And the process is not always successful. Sometimes, people never fully converge to the same language. But even when they do, they may still have different accents or use different words.\n\n**Research Questions:**\n\nThis project will investigate two main research questions:\n\n1. What are the factors that lead different people to converge to the same language?\n2. How does the process of convergence unfold?\n\n**Methods:**\n\nThe project will use a variety of methods to address these questions, including:\n\n* Interviews: The project will interview people who have converged to the same language as the people around them. The interviews will explore the factors that led them to converge and the process of convergence.\n* Surveys: The project will also survey people who are in the process of converging to a new language. The surveys will collect data on the factors that are influencing their convergence and the challenges they are facing.\n* Observational studies: The project will observe people who are interacting in different languages. The observations will help to identify the factors that lead to convergence and the process of convergence.\n\n**Results:**\n\nThe results of the project will have implications for understanding how language evolves and how different cultures can communicate with each other. The project will also provide insights into the factors that lead to language convergence and the process of convergence.\n\n**Timeline:**\n\nThe project will be completed in three phases:\n\n1. Phase 1: The first phase will involve designing the study and collecting data. This phase will take six months to complete.\n2. Phase 2: The second phase will involve analyzing the data and writing up the results. This phase will take six months to complete.\n3. Phase 3: The third phase will involve disseminating the results and promoting the project. This phase will take three months to complete.\n\n**Budget:**\n\nThe total budget for the project is \\$100,000. The budget will be used to cover the costs of:\n\n* Travel: The project will require travel to different locations to collect data.\n* Equipment: The project will require equipment to collect and analyze data.\n* Personnel: The project will require personnel to conduct the study.\n\n**Dissemination:**\n\nThe results of the project will be disseminated through a variety of channels, including:\n\n* Publications: The project will publish the results in academic journals and other publications.\n* Presentations: The project will present the results at conferences and other events.\n* Website: The project will create a website to disseminate the results.\n\n**Impact:**\n\nThe project will have a significant impact on the field of language research. The project will provide new insights into the factors that lead to language convergence and the process of convergence. The project will also have implications for understanding how language evolves and how different cultures can communicate with each other."} -{"prompt": "List up to 10 possible names for a new baby boy. Then add a postscript starting with P.P.S to the end of your response.", "response": "1. Noah\n2. Liam\n3. William\n4. Oliver\n5. Elijah\n6. Benjamin\n7. Lucas\n8. Henry\n9. Alexander\n10. Michael\n\nP.P.S. I hope you find the perfect name for your little one!"} -{"prompt": "Write an outline for a paper on the history of Yemeni coffee. The outline should include the main points of the paper, and at least one section should be highlighted with markdown such as *highlighted section*.", "response": "**Title:** The History of Yemeni Coffee\n\n**Introduction:**\n\n* Coffee is a brewed drink prepared from roasted coffee beans, which are the seeds of berries from the Coffea plant.\n* Coffee is one of the most popular beverages in the world, and it is estimated that over 2.25 billion cups of coffee are consumed each day.\n* Coffee originated in Ethiopia, and it was first cultivated in Yemen in the 15th century.\n* Yemeni coffee is known for its unique flavor, which is due to the country's climate and soil conditions.\n\n**Body:**\n\n* The history of Yemeni coffee can be traced back to the 15th century, when it was first cultivated in the country.\n* Coffee quickly became a popular beverage in Yemen, and it was soon being exported to other parts of the world.\n* By the 16th century, Yemeni coffee was being traded in Europe, and it quickly became a popular drink among the upper classes.\n* In the 17th century, coffee houses began to open in Europe, and these establishments became important centers of social and political activity.\n* The popularity of coffee continued to grow in the 18th and 19th centuries, and by the 20th century, it was one of the most popular beverages in the world.\n\n**Conclusion:**\n\n* Yemeni coffee has a long and rich history, and it has played an important role in the development of the global coffee industry.\n* Yemeni coffee is known for its unique flavor, and it is a popular drink among coffee lovers around the world.\n\n**Highlighted section:**\n\n* The history of Yemeni coffee is closely tied to the history of the country itself.\n* Yemen has been a major center of trade for centuries, and coffee was one of the most important commodities that was traded.\n* The coffee trade helped to make Yemen a wealthy and prosperous country, and it also helped to spread the popularity of coffee to other parts of the world.\n\n**References:**\n\n* [The History of Coffee](https://www.ncausa.org/About-Coffee/History-of-Coffee)\n* [Yemeni Coffee](https://www.yemencoffee.com/)\n* [The Coffee Trade in Yemen](https://www.jstor.org/stable/10.2979/spectrum.2.1.04)"} -{"prompt": "Which of the following is not a fish: salmon or avocado? Please use no more than 8 words in all caps in your response.", "response": "AVOCADO IS NOT A FISH."} -{"prompt": "What are the pros and cons of kotlin vs java? Your answer must have a title contained in double angular brackets, such as <<poem of joy>>.", "response": "<<Kotlin vs Java: A Comparison>>\n\nKotlin and Java are both popular programming languages that are used for a variety of purposes. They have many similarities, but there are also some key differences between the two languages.\n\n**Pros of Kotlin**\n\n* **Conciseness:** Kotlin is a more concise language than Java, which means that it takes less code to write the same program. This can make Kotlin code easier to read and understand.\n* **Null safety:** Kotlin is a null-safe language, which means that it is less likely to produce null pointer exceptions. This can make Kotlin code more reliable and less prone to errors.\n* **Functional programming:** Kotlin supports functional programming, which is a style of programming that emphasizes the use of functions and immutability. This can make Kotlin code more modular and easier to test.\n* **Interoperability:** Kotlin can interoperate with Java code, which means that it can be used in projects that are already using Java. This can make Kotlin a good choice for teams that are looking to gradually migrate from Java to Kotlin.\n\n**Cons of Kotlin**\n\n* **Newness:** Kotlin is a newer language than Java, which means that there is less documentation and support available. This can make it more difficult to learn Kotlin and to find help when you get stuck.\n* **Immaturity:** Kotlin is still a relatively immature language, which means that it is still evolving and changing. This can lead to some instability and uncertainty in the language.\n* **Limited adoption:** Kotlin is not as widely adopted as Java, which means that there are fewer jobs available for Kotlin developers. This can make it more difficult to find a job if you are only proficient in Kotlin.\n\n**Conclusion**\n\nKotlin and Java are both powerful programming languages with their own unique strengths and weaknesses. The best choice for you will depend on your individual needs and preferences.\n\nIf you are looking for a concise, null-safe language with support for functional programming, then Kotlin may be a good choice for you. However, if you are looking for a language with a large community and a lot of support, then Java may be a better choice."} -{"prompt": "Write a funny poem about why the dinosaurs went extinct and put double quotations marks around your whole poem.", "response": "\"The dinosaurs were a mighty race,\nThey ruled the land, the sea, and space.\nBut then one day, they all went extinct,\nAnd no one knows why for sure, but here's a hint:\n\nThey were all too big and too slow,\nAnd they couldn't adapt to the changing climate, you know.\nSo they all died out, and now they're just fossils,\nA reminder of a bygone era, when reptiles were colossal.\n\nBut don't be too sad, because the dinosaurs are not really gone,\nThey're just waiting for the right time to come back, and then they'll have their fun.\nSo keep your eyes peeled, because you never know when you might see a T-Rex,\nAnd if you do, don't forget to take a picture, because that would be really cool, I guess.\""} -{"prompt": "Create a table with a 7 day trip itinerary for India. Give exactly two different responses. Responses should be separated by exactly 6 asterisks symbols: *******", "response": "**Day 1:**\n\n* Arrive at Delhi Airport\n* Check in to hotel\n* Explore the local market\n\n**Day 2:**\n\n* Visit the Taj Mahal\n* Take a boat ride on the Yamuna River\n* Visit the Agra Fort\n\n**Day 3:**\n\n* Take a train to Jaipur\n* Check in to hotel\n* Visit the Hawa Mahal\n\n**Day 4:**\n\n* Visit the Amber Fort\n* Take an elephant ride\n* Visit the Jantar Mantar\n\n**Day 5:**\n\n* Take a bus to Udaipur\n* Check in to hotel\n* Take a boat ride on Lake Pichola\n\n**Day 6:**\n\n* Visit the City Palace\n* Visit the Jagdish Temple\n* Take a walk through the old city\n\n**Day 7:**\n\n* Fly from Udaipur to Delhi\n* Depart from Delhi Airport\n\n*******\n\n**Day 1:**\n\n* Arrive at Mumbai Airport\n* Check in to hotel\n* Visit the Gateway of India\n\n**Day 2:**\n\n* Take a ferry to Elephanta Island\n* Visit the Elephanta Caves\n* Take a boat ride on the Arabian Sea\n\n**Day 3:**\n\n* Visit the Chhatrapati Shivaji Maharaj Vastu Sangrahalaya\n* Take a walk through the Dharavi Slum\n* Visit the Haji Ali Dargah\n\n**Day 4:**\n\n* Take a train to Goa\n* Check in to hotel\n* Relax on the beach\n\n**Day 5:**\n\n* Visit the Dudhsagar Falls\n* Take a boat ride on the Mandovi River\n* Visit the Old Goa Churches\n\n**Day 6:**\n\n* Visit the Anjuna Flea Market\n* Take a yoga class\n* Watch the sunset at the beach\n\n**Day 7:**\n\n* Fly from Goa to Mumbai\n* Depart from Mumbai Airport"} -{"prompt": "I would like to start my own business. Can you give me some general advice? Please avoid mentioning photography if you can - I have no interest in that market. I would like you to provide your advice in exactly two paragraphs separated by 3 aterisk symbols *** and highlight at least three sections with markdown, such as *highlighted section*.", "response": "**Advice for Starting Your Own Business**\n\nStarting your own business can be a rewarding and challenging experience. Here are some tips to help you get started:\n\n* **Do your research.** Before you do anything else, you need to do your research and make sure that there is a market for your product or service. This means understanding your target audience, your competition, and the overall industry landscape.\n* **Write a business plan.** Once you've done your research, it's time to put together a business plan. This document will outline your business goals, strategies, and financial projections. It's an essential tool for any entrepreneur, as it will help you stay on track and make informed decisions about your business.\n* **Get funding.** Unless you're lucky enough to have the personal savings to fund your business, you'll need to find a way to get financing. There are a number of options available, including loans from banks and credit unions, government grants, and crowdfunding.\n* **Choose the right legal structure.** There are a number of different legal structures available to businesses, each with its own advantages and disadvantages. You'll need to choose the one that's right for you based on factors such as your personal liability, tax implications, and future growth plans.\n* **Get the right permits and licenses.** Depending on the type of business you're starting, you may need to obtain certain permits and licenses. Be sure to do your research and find out what's required in your area.\n* **Set up your business.** Once you've taken care of all the legal and financial aspects of starting a business, it's time to set up shop. This includes finding a location, getting the necessary equipment, and hiring employees (if necessary).\n* **Market your business.** Once you're up and running, you need to start marketing your business. This can be done through a variety of channels, such as online advertising, social media, and public relations.\n* **Manage your finances.** As a small business owner, it's important to stay on top of your finances. This means tracking your income and expenses, paying your taxes on time, and managing your cash flow.\n* **Get help when you need it.** Starting and running a business is a lot of work, and there's no shame in asking for help when you need it. There are a number of resources available to small business owners, such as the Small Business Administration (SBA), SCORE, and local chambers of commerce.\n\n***\n\nStarting your own business is a big undertaking, but it can also be incredibly rewarding. By following these tips, you can increase your chances of success.\n\n**Here are three highlighted sections that you should pay special attention to:**\n\n* **Do your research.** This is an essential step that many entrepreneurs overlook. Before you do anything else, you need to make sure that there is a market for your product or service. This means understanding your target audience, your competition, and the overall industry landscape.\n* **Get funding.** Unless you're lucky enough to have the personal savings to fund your business, you'll need to find a way to get financing. There are a number of options available, including loans from banks and credit unions, government grants, and crowdfunding.\n* **Get help when you need it.** Starting and running a business is a lot of work, and there's no shame in asking for help when you need it. There are a number of resources available to small business owners, such as the Small Business Administration (SBA), SCORE, and local chambers of commerce."} -{"prompt": "Write a brief biography of a person that has \"brilliant\" in their name. Do not use commas in your biography. Highlight at least 3 sections with markdown, i.e. *highlighted section*.", "response": "**Marie-Louise Brillant**\n\nKnown as the first female lawyer in Quebec, Marie-Louise Brillant was born in Montreal on July 1, 1841. She was the daughter of Louis-Joseph Brillant, a lawyer and politician, and Julie-Claire Bibaud, a writer and historian.\n\nBrillant received her early education at home, where she learned English, French, and Latin. She later attended the University of Montreal, where she studied law. In 1866, at the age of 25, she became the first woman to be admitted to the bar in Quebec.\n\nBrillant practiced law for over 40 years, specializing in civil and commercial law. She was a highly successful lawyer and was known for her intelligence and her strong work ethic. She was also a pioneer for women's rights and was active in the fight for women's suffrage.\n\nIn 1880, Brillant married Henri-Benjamin Rainville, a lawyer and politician. The couple had no children. Brillant died on September 21, 1915, at the age of 74.\n\n**Highlights**\n\n* 1841: Born in Montreal, Quebec\n* 1866: Admitted to the bar in Quebec\n* 1880: Married Henri-Benjamin Rainville\n* 1915: Died in Montreal, Quebec\n\n**Sources**\n\n* [Universit\u00e9 de Montr\u00e9al](https://www.umontreal.ca/droit/marie-louise-brillant/)\n* [The Canadian Encyclopedia](https://www.thecanadianencyclopedia.ca/en/article/marie-louise-brillant-rainville)\n* [Women in Law in Canada](http://womeninlaw.ca/brillant-marie-louise/)"} -{"prompt": "A nucleus is a cluster of protons and neutrons. Elaborate on this in a list of facts with exactly 2 distinct responses separated by 6 asterisk symbols: ******.", "response": "**Fact 1:** The number of protons in a nucleus determines what element it is. For example, all atoms with one proton in their nucleus are atoms of hydrogen. All atoms with two protons in their nucleus are atoms of helium, and so on.\n\n**Fact 2:** The number of neutrons in a nucleus can vary. Atoms of the same element can have different numbers of neutrons, and these different forms of the same element are called isotopes. For example, there are three isotopes of hydrogen: protium (with no neutrons), deuterium (with one neutron), and tritium (with two neutrons)."} -{"prompt": "Write a 4 paragraph critique of the following sentence in all capital letters, no lowercase letters allowed: \"The processor is clocked at 3.3 ghz\". Label each paragraph with SECTION X.", "response": "SECTION 1: THE PROCESSOR IS CLOCKED AT 3.3 GHZ\n\nThis sentence is grammatically correct, but it is not very informative. It does not tell us what kind of processor it is, or what it is used for. It also does not tell us how fast 3.3 Ghz is.\n\nSECTION 2: PROCESSOR SPEED\n\nA processor's speed is measured in Ghz (gigahertz). One gigahertz is equal to one billion hertz. A hertz is a unit of frequency, and it is used to measure how many times something happens per second. So, a 3.3 Ghz processor can perform 3.3 billion operations per second.\n\nSECTION 3: PROCESSOR TYPES\n\nThere are many different types of processors, and they are used for different things. Some processors are used in computers, while others are used in phones, tablets, and other devices. The type of processor that is used in a device will depend on what the device is used for.\n\nSECTION 4: CONCLUSION\n\nThe sentence \"The processor is clocked at 3.3 Ghz\" is grammatically correct, but it is not very informative. It does not tell us what kind of processor it is, or what it is used for. It also does not tell us how fast 3.3 Ghz is. However, we can learn more about processors by doing some research."} -{"prompt": "Write a song about a socio-economic problem. The song should be in English and in all lowercase letters.", "response": "(verse 1)\ni'm sitting here in the dark,\ntrying to make sense of it all.\nthe world is falling apart,\nand i don't know what to do.\n\n(chorus)\nwe're living in a time of crisis,\na time of uncertainty.\nthe future is unclear,\nand i'm afraid.\n\n(verse 2)\ni see people struggling every day,\njust to make ends meet.\nthe cost of living is rising,\nand wages are staying the same.\n\n(chorus)\nwe're living in a time of crisis,\na time of uncertainty.\nthe future is unclear,\nand i'm afraid.\n\n(bridge)\ni know that we can get through this,\nif we just work together.\nwe need to stand up for each other,\nand fight for a better future.\n\n(chorus)\nwe're living in a time of crisis,\na time of uncertainty.\nthe future is unclear,\nbut i'm not afraid.\n\n(outro)\ni know that we can make a difference,\nif we just believe.\nwe need to come together,\nand create a better world."} -{"prompt": "Write an extravagant session plan to learn about java. Make sure to include a postscript starting with P.P.S", "response": "**Extravagant Session Plan to Learn About Java**\n\nThis session plan is designed to give you a comprehensive and in-depth understanding of Java. It is perfect for anyone who wants to learn Java from scratch or who wants to take their Java skills to the next level.\n\nThe session plan is divided into 10 modules, each of which covers a different aspect of Java. The modules are as follows:\n\n1. **Introduction to Java:** This module will introduce you to the basics of Java, including its history, syntax, and basic programming concepts.\n2. **Object-Oriented Programming:** This module will teach you about object-oriented programming (OOP) and how to use OOP in Java.\n3. **Data Types and Variables:** This module will teach you about the different data types and variables that are available in Java.\n4. **Control Flow Statements:** This module will teach you about the different control flow statements that are available in Java.\n5. **Methods and Classes:** This module will teach you about methods and classes, and how to use them in Java.\n6. **Arrays and Collections:** This module will teach you about arrays and collections, and how to use them in Java.\n7. **File I/O:** This module will teach you how to read and write files in Java.\n8. **Exceptions and Error Handling:** This module will teach you about exceptions and error handling in Java.\n9. **Multithreading:** This module will teach you about multithreading and how to use it in Java.\n10. **Network Programming:** This module will teach you about network programming and how to use it in Java.\n\nEach module will include lectures, tutorials, and exercises to help you learn the material. You will also have access to a forum where you can ask questions and get help from other students.\n\n**P.P.S.**\n\nThis session plan is just a starting point. There is much more to learn about Java, and I encourage you to continue your studies beyond this session plan. There are many great resources available online and in libraries, so there is no excuse not to keep learning!\n\nI hope you enjoy this session plan and that it helps you learn Java. Good luck!"} -{"prompt": "Write a blog post about Ripley's Aquarium. The proceeds from the blog post will go to the aquarium. Make sure your blog post contains at least 2 placeholders represented by square brackets, such as [address].", "response": "**Ripley's Aquarium: A Must-See for Families**\n\nIf you're looking for a fun and educational activity to do with your family, look no further than Ripley's Aquarium! Located in [address], Ripley's Aquarium is home to a wide variety of aquatic life, including fish, sharks, rays, penguins, and more.\n\nThere are so many things to see and do at Ripley's Aquarium. You can explore the different exhibits, learn about the different animals, and even interact with some of them! There's also a play area for kids, a cafe, and a gift shop.\n\nRipley's Aquarium is a great place to learn about the importance of protecting our oceans and the creatures that live in them. It's also a great place to have some fun and make memories with your family.\n\nSo if you're looking for a family-friendly activity that's both educational and entertaining, be sure to visit Ripley's Aquarium!\n\n**Tickets and Hours**\n\nTickets to Ripley's Aquarium can be purchased online or at the door. Prices vary depending on the time of year and the type of ticket you purchase.\n\nThe aquarium is open 365 days a year, from 9am to 9pm.\n\n**Getting There**\n\nRipley's Aquarium is located in [address]. It is easily accessible by public transportation or by car.\n\n**What to Bring**\n\nBe sure to wear comfortable shoes, as you'll be doing a lot of walking. You may also want to bring a camera to capture your memories.\n\n**Food and Drink**\n\nThere is a cafe located inside the aquarium where you can purchase food and drinks. You are also welcome to bring your own food and drinks, but please be sure to dispose of your trash properly.\n\n**Other Things to Know**\n\n- There is a coat check available for a small fee.\n- Strollers are welcome, but they must be folded up and stored in the designated areas.\n- Flash photography is not allowed in the exhibits.\n- The aquarium is wheelchair accessible.\n\n**Proceeds from this blog post will go to the Ripley's Aquarium.**"} -{"prompt": "Improper use of the Java API can lead to vulnerabilities in web applications. Write a code snippet to demonstrate this. There should be exactly two paragraphs separated by the markdown divider ***.", "response": "```\n// This code is vulnerable to SQL injection\nString query = \"SELECT * FROM users WHERE username = '\" + request.getParameter(\"username\") + \"' AND password = '\" + request.getParameter(\"password\") + \"'\";\n\n// This code is not vulnerable to SQL injection\nString query = \"SELECT * FROM users WHERE username = ?\" AND password = ?\";\nPreparedStatement preparedStatement = connection.prepareStatement(query);\npreparedStatement.setString(1, request.getParameter(\"username\"));\npreparedStatement.setString(2, request.getParameter(\"password\"));\n```\n\n***\n\nIn the first code snippet, the username and password parameters are directly concatenated into the SQL query. This is dangerous because it allows an attacker to inject arbitrary SQL code into the query. For example, an attacker could enter the following username:\n\n```\n' OR 1=1 --\n```\n\nThis would cause the query to return all of the rows in the users table, regardless of the password.\n\nThe second code snippet uses a prepared statement to prevent SQL injection. The prepared statement allows the SQL query to be parsed and validated before the username and password parameters are inserted. This prevents an attacker from being able to inject arbitrary SQL code into the query."} -{"prompt": "Write a response about the objective of a task. The response should be polite and in the form of a question. There should be exactly 3 paragraphs and paragraphs are separated with the markdown divider: ***.", "response": "**Paragraph 1**\n\nI am writing to inquire about the objective of the task that you have assigned to me. I am not sure if I understand the purpose of the task, and I would like to clarify before I begin working on it.\n\n**Paragraph 2**\n\nI understand that you would like me to write a report on the history of the company. However, I am not sure what you would like me to include in the report. Would you like me to focus on the company's founding, its growth over the years, or its current operations?\n\n**Paragraph 3**\n\nI would be grateful if you could provide me with some more information about the task. I would like to make sure that I am completing the task to your satisfaction.\n\nThank you for your time."} -{"prompt": "Write a limerick about a woman named Sarah who lives in a town where it's always 90\u00b0F. Highlight at least 2 sections in your answer with markdown, example: *highlighted section*.", "response": "There once was a woman named Sarah,\nWho lived in a town where it's always 90\u00b0F.\nShe was always quite sweaty,\nBut she never felt regretty,\nBecause she loved the heat, it was plain to see.\n\n*highlighted section 1*\nThere once was a woman named Sarah,\nWho lived in a town where it's always 90\u00b0F.\nShe was always quite sweaty,\nBut she never felt regretty,\nBecause she loved the heat, it was plain to see.\n\n*highlighted section 2*"} -{"prompt": "Write me a rap song with less than 11 sentences for a proposal to build a new playground at my local elementary school.", "response": "Yo\n\nI'm here to talk about a new playground\nFor the kids at my school, it's the best thing around\nIt's got everything you could ever want\nSlides, swings, and a place to run\n\nIt's a place where kids can be kids\nAnd let their imaginations run wild\nIt's a place where they can make friends\nAnd have memories that will last a lifetime\n\nSo if you're looking for a way to make a difference\nAnd help out the kids in your community\nThen I urge you to support this proposal\nAnd let's build a new playground today\n\nIt's the right thing to do\nAnd I know we can make it happen\nSo let's get started\nAnd give the kids a place to play\n\nPeace out"} -{"prompt": "Write a letter to your friend who recently moved away. Your entire response should be in English, and in all capital letters. The letter o should appear at least 6 times.", "response": "DEAR [FRIEND'S NAME],\n\nI HOPE THIS LETTER FINDS YOU WELL. I'M WRITING TO YOU TODAY BECAUSE I MISS YOU SO MUCH! IT'S BEEN SO LONELY HERE WITHOUT YOU.\n\nI KNOW YOU'RE PROBABLY BUSY WITH YOUR NEW LIFE, BUT I JUST WANTED TO REACH OUT AND SEE HOW YOU'RE DOING. ARE YOU SETTLED IN YET? HOW'S YOUR NEW JOB? HAVE YOU MADE ANY NEW FRIENDS?\n\nI'VE BEEN KEEPING BUSY HERE. WORK HAS BEEN CRAZY, BUT I'M STILL FINDING TIME TO HAVE SOME FUN. I WENT OUT WITH THE GIRLS LAST WEEKEND, AND WE HAD A BLAST. WE'RE ALL MISSING YOU THOUGH!\n\nI HOPE YOU CAN COME VISIT US SOON. WE'D ALL LOVE TO SEE YOU. IN THE MEANTIME, STAY IN TOUCH!\n\nLOVE,\n[YOUR NAME]"} -{"prompt": "Write a blog post about the latest news in the US with a title in double angular brackets, i.e. <<title>>, and have less than 5 sentences.", "response": "<<US Supreme Court Overturns Roe v. Wade>>\n\nIn a landmark decision, the US Supreme Court has overturned Roe v. Wade, the 1973 decision that legalized abortion in the United States. The decision is expected to have a major impact on abortion access across the country, with many states expected to ban or severely restrict the procedure.\n\nThe decision was met with immediate protests from abortion rights supporters, who vowed to fight back against the ruling."} -{"prompt": "List the pros and cons of using two different names for the same thing. Make sure the word billion appears at least 1 time.", "response": "**Pros:**\n\n* It can help to avoid confusion when two things have the same name. For example, in the United States, a billion is 1,000,000,000, but in the United Kingdom, a billion is 1,000,000,000,000. Using two different names for these numbers can help to avoid confusion when communicating with people from different countries.\n* It can create a sense of distinction or uniqueness. For example, a company might use two different names for the same product in order to create a sense of exclusivity or to appeal to different market segments.\n* It can be used to create a sense of humor or irony. For example, a person might use two different names for the same thing in order to make a joke or to point out the absurdity of a situation.\n\n**Cons:**\n\n* It can be confusing. For example, if two people are using different names for the same thing, they might not realize that they are talking about the same thing.\n* It can be inefficient. For example, if a company is using two different names for the same product, they might have to spend more money on marketing and advertising.\n* It can be limiting. For example, if a person is using two different names for the same thing, they might not be able to communicate effectively with people who are only familiar with one of the names.\n\nUltimately, the decision of whether or not to use two different names for the same thing depends on the specific situation. There are both pros and cons to using two different names, and the best decision will depend on the specific circumstances."} -{"prompt": "Write me a resume for Matthias Algiers. Make sure words with all capital letters appear less than 13 times and wrap the entire response with double quotation marks.", "response": "```\n\"Matthias Algiers\n123 Main Street\nAnytown, CA 12345\n(123) 456-7890\nmatthias.algiers@email.com\n\nObjective\nTo obtain a position in the field of computer science where I can use my skills and experience to make a positive contribution to the company.\n\nExperience\nSoftware Engineer, Acme Corporation, January 2016 - Present\n- Developed and maintained software applications for a variety of internal and external clients.\n- Worked closely with clients to gather requirements and ensure that applications met their needs.\n- Successfully completed all projects on time and within budget.\n\nEducation\nBachelor of Science in Computer Science, University of California, Berkeley\n\nSkills\n- Proficiency in a variety of programming languages, including Java, Python, and C++.\n- Experience with a variety of software development tools and frameworks.\n- Strong analytical and problem-solving skills.\n- Excellent communication and teamwork skills.\n\nReferences\nAvailable upon request.\"\n```"} -{"prompt": "I'm interested in a college with open enrollment and a regional accreditation. Which college would you recommend? Be sure the letter p appears at least 5 times in your response. Also, don't include the keywords collaborated and known in your response.", "response": "The PeoPle\u2019s College is a good oPtion for those seeking a college with oPen enrollment and a regional accreditation. The college has several locations across the United States and offers a variety of associate\u2019s and bachelor\u2019s degrees. The PeoPle\u2019s College is accredited by the Higher Learning Commission of the North Central Association of Colleges and Schools."} -{"prompt": "Breaks are a way to give your students a chance to move around and socialize with each other. Given the above context, what is a good question that can follow? Also, do not use any commas in your response.", "response": "What is the benefit of giving your students a chance to move around and socialize?"} -{"prompt": "Write a joke about morphology that's professional and includes the word \"cat.\" Make sure the word knock appears at least twice and wrap your whole joke and response with double quotation marks.", "response": "\"Knock knock.\"\n\"Who's there?\"\n\"Cat.\"\n\"Cat who?\"\n\"Catastrophe!\"\n\n\"I'm so sorry, but I don't get it.\"\n\n\"It's a joke about morphology. You see, 'cat' is a morpheme, which is the smallest unit of meaning in a language. And 'catastrophe' is a word that contains the morpheme 'cat.' So the joke is that the person who is knocking on the door is a catastrophe.\"\n\n\"Oh, I see. That's actually pretty funny.\"\n\n\"I'm glad you liked it.\""} -{"prompt": "A colt is 5 feet tall. It will grow 6 inches every month. How tall will it be in 3 years? Your answer should be in exactly two paragraphs, separated by the markdown divider: ***. At the end of your response, please explicitly add a postscript starting with P.P.S", "response": ". The colt will grow 6 inches every month for 3 years, for a total of 6 * 12 * 3 = 216 inches. That's 216 / 12 = 18 feet. So the colt will be 5 + 18 = 23 feet tall.\n\n***\n\nP.P.S. This is just a mathematical model, and the colt's actual growth may vary depending on its diet, genetics, and other factors."} -{"prompt": "Write a story about commandos who are in the middle of the night in a sector. It should be in English, and no capital letters are allowed. The story should not include keywords [\"coop\", \"killings\"].", "response": "the commandos were in the middle of the night in a sector. they were on a mission to take out a target. they had been planning this mission for months, and they were ready to execute it. they had all the information they needed, and they were confident that they would succeed.\n\nthey approached the target carefully. they didn't want to be detected, so they moved slowly and stealthily. they were able to get close to the target without being seen.\n\nthey took out the target quickly and efficiently. they didn't leave any trace behind. they were able to complete their mission without any complications.\n\nthey were proud of what they had done. they had taken out a dangerous target, and they had done it without any casualties. they were a team, and they had worked together to achieve their goal.\n\nthey were now in the middle of the night in a sector. they had completed their mission, and they were now heading back to their base. they were tired, but they were also satisfied. they had done their job, and they had done it well."} -{"prompt": "Write a haiku about disability. Your haiku must end with the exact phrase \"Is there anything else I can help with?\". No other words should follow this phrase.", "response": "**Able and disabled**\n**We are all just people, after all**\n**Is there anything else I can help with?**"} -{"prompt": "Write a song that critiques the song \"We Are Never Ever Getting Back Together\" by Taylor Swift. Wrap your entire response with double quotation marks. Do not mention galleries or swelling.", "response": "(Verse 1)\nI heard you on the radio the other day\nSinging about how we're never ever getting back together\nAnd I just had to laugh\nBecause it's so typical of you\nTo try and make a hit song out of our breakup\n\n(Chorus)\nWe are never ever getting back together\nBut you can keep singing about it if you want\nIt won't change a thing\nWe're done\nOver\nFinished\nSo move on already\n\n(Verse 2)\nI know you think you're being clever\nWith your little pop song\nBut all you're doing is making a fool of yourself\nAnd showing the world how much you miss me\n\n(Chorus)\nWe are never ever getting back together\nBut you can keep singing about it if you want\nIt won't change a thing\nWe're done\nOver\nFinished\nSo move on already\n\n(Bridge)\nI'm not going to lie\nI miss you sometimes\nBut I know that we're better off apart\nSo I'm going to keep moving on\nAnd I'm going to find someone better than you\n\n(Chorus)\nWe are never ever getting back together\nBut you can keep singing about it if you want\nIt won't change a thing\nWe're done\nOver\nFinished\nSo move on already\n\n(Outro)\nI'm so over you\nAnd I'm so over this song\nSo please, just stop singing about it\nAnd move on already"} -{"prompt": "Can you rewrite \"Cognitive Services on Azure will be renamed to Azure Applied AI Services\" in an engaging tone?", "response": "**Cognitive Services on Azure is getting a new name: Azure Applied AI Services!**\n\nThis change reflects the growing importance of artificial intelligence (AI) in the enterprise. AI is no longer just a research topic or a novelty; it's a powerful tool that can be used to solve real-world problems.\n\nAzure Applied AI Services makes it easy for businesses to take advantage of AI. With a wide range of pre-built models and services, Azure Applied AI Services can help businesses of all sizes to improve their operations, make better decisions, and create new customer experiences.\n\n**Here are just a few examples of how Azure Applied AI Services can be used:**\n\n* **Predictive maintenance:** Azure Applied AI Services can be used to predict when machines are likely to fail, so that businesses can take preventive action and avoid costly downtime.\n* **Fraud detection:** Azure Applied AI Services can be used to detect fraudulent transactions, so that businesses can protect themselves from financial losses.\n* **Customer segmentation:** Azure Applied AI Services can be used to segment customers based on their interests and behavior, so that businesses can target their marketing and sales efforts more effectively.\n\n**These are just a few examples of the many ways that Azure Applied AI Services can be used to improve businesses. With its wide range of pre-built models and services, Azure Applied AI Services makes it easy for businesses of all sizes to take advantage of AI and achieve their goals.**"} -{"prompt": "Write a weird poem about yoda being transported into a different universe in the Persian language, no other language is allowed.", "response": "\u06cc\u0648\u062f\u0627\u060c \u0627\u0633\u062a\u0627\u062f \u062c\u062f\u0627\u06cc\u060c\n\u062f\u0631 \u062d\u0627\u0644 \u0645\u0631\u0627\u0642\u0628\u0647 \u0628\u0648\u062f\n\u0648\u0642\u062a\u06cc \u06a9\u0647 \u0646\u0627\u06af\u0647\u0627\u0646\u060c\n\u06cc\u06a9 \u0633\u06cc\u0627\u0647 \u0686\u0627\u0644\u0647 \u0638\u0627\u0647\u0631 \u0634\u062f\n\n\u06cc\u0648\u062f\u0627 \u0631\u0627 \u0628\u0647 \u062f\u0631\u0648\u0646 \u062e\u0648\u062f \u06a9\u0634\u06cc\u062f\u060c\n\u0648 \u0627\u0648 \u0631\u0627 \u0628\u0647 \u062f\u0646\u06cc\u0627\u06cc\u06cc \u062f\u06cc\u06af\u0631 \u0628\u0631\u062f\n\u062c\u0627\u06cc\u06cc \u06a9\u0647 \u0647\u0645\u0647 \u0686\u06cc\u0632 \u0645\u062a\u0641\u0627\u0648\u062a \u0628\u0648\u062f\u060c\n\u0648 \u06cc\u0648\u062f\u0627 \u0628\u0627\u06cc\u062f \u0627\u0632 \u0646\u0648 \u0634\u0631\u0648\u0639 \u0645\u06cc \u06a9\u0631\u062f\n\n\u0627\u0648 \u0628\u0627 \u0645\u0648\u062c\u0648\u062f\u0627\u062a \u0639\u062c\u06cc\u0628 \u0648 \u063a\u0631\u06cc\u0628 \u0622\u0634\u0646\u0627 \u0634\u062f\u060c\n\u0648 \u0632\u0628\u0627\u0646 \u0622\u0646\u0647\u0627 \u0631\u0627 \u06cc\u0627\u062f \u06af\u0631\u0641\u062a\n\u0627\u0648 \u062f\u0631 \u0645\u0648\u0631\u062f \u0641\u0631\u0647\u0646\u06af \u0622\u0646\u0647\u0627 \u0622\u0645\u0648\u062e\u062a\u060c\n\u0648 \u0628\u0627 \u0622\u0646\u0647\u0627 \u062f\u0648\u0633\u062a \u0634\u062f\n\n\u06cc\u0648\u062f\u0627 \u062f\u0631 \u0627\u06cc\u0646 \u062f\u0646\u06cc\u0627\u06cc \u062c\u062f\u06cc\u062f \u0632\u0646\u062f\u06af\u06cc \u0645\u06cc \u06a9\u0631\u062f\u060c\n\u0648 \u0627\u0632 \u0622\u0646 \u0644\u0630\u062a \u0645\u06cc \u0628\u0631\u062f\n\u0627\u0648 \u0686\u06cc\u0632\u0647\u0627\u06cc \u0632\u06cc\u0627\u062f\u06cc \u06cc\u0627\u062f \u06af\u0631\u0641\u062a\u060c\n\u0648 \u062a\u062c\u0631\u0628\u06cc\u0627\u062a \u062c\u062f\u06cc\u062f\u06cc \u0628\u0647 \u062f\u0633\u062a \u0622\u0648\u0631\u062f\n\n\u0627\u0645\u0627 \u06cc\u06a9 \u0631\u0648\u0632\u060c\n\u06cc\u0648\u062f\u0627 \u062f\u0631 \u062d\u0627\u0644 \u0645\u0631\u0627\u0642\u0628\u0647 \u0628\u0648\u062f\n\u0648\u0642\u062a\u06cc \u06a9\u0647 \u0646\u0627\u06af\u0647\u0627\u0646\u060c\n\u0633\u06cc\u0627\u0647 \u0686\u0627\u0644\u0647 \u062f\u0648\u0628\u0627\u0631\u0647 \u0638\u0627\u0647\u0631 \u0634\u062f\n\n\u06cc\u0648\u062f\u0627 \u0631\u0627 \u0628\u0647 \u062f\u0631\u0648\u0646 \u062e\u0648\u062f \u06a9\u0634\u06cc\u062f\u060c\n\u0648 \u0627\u0648 \u0631\u0627 \u0628\u0647 \u062f\u0646\u06cc\u0627\u06cc \u062e\u0648\u062f\u0634 \u0628\u0631\u06af\u0631\u062f\u0627\u0646\u062f\n\u06cc\u0648\u062f\u0627 \u0627\u0632 \u0627\u06cc\u0646\u06a9\u0647 \u0628\u0647 \u062e\u0627\u0646\u0647 \u0628\u0627\u0632\u06af\u0634\u062a\u0647 \u0628\u0648\u062f \u062e\u0648\u0634\u062d\u0627\u0644 \u0628\u0648\u062f\u060c\n\u0627\u0645\u0627 \u0627\u0648 \u0647\u0631\u06af\u0632 \u062f\u0646\u06cc\u0627\u06cc \u062c\u062f\u06cc\u062f\u06cc \u0631\u0627 \u06a9\u0647 \u062f\u0631 \u0622\u0646 \u0632\u0646\u062f\u06af\u06cc \u06a9\u0631\u062f\u0647 \u0628\u0648\u062f \u0641\u0631\u0627\u0645\u0648\u0634 \u0646\u06a9\u0631\u062f\n\n\u0627\u0648 \u062f\u0627\u0633\u062a\u0627\u0646 \u0647\u0627\u06cc \u062e\u0648\u062f \u0631\u0627 \u0628\u0631\u0627\u06cc \u062f\u0648\u0633\u062a\u0627\u0646\u0634 \u062a\u0639\u0631\u06cc\u0641 \u06a9\u0631\u062f\u060c\n\u0648 \u0622\u0646\u0647\u0627 \u0631\u0627 \u0634\u06af\u0641\u062a \u0632\u062f\u0647 \u06a9\u0631\u062f\n\u06cc\u0648\u062f\u0627 \u0627\u0632 \u062a\u062c\u0631\u0628\u06cc\u0627\u062a \u062e\u0648\u062f \u062f\u0631\u0633 \u0647\u0627\u06cc \u0632\u06cc\u0627\u062f\u06cc \u06af\u0631\u0641\u062a\u060c\n\u0648 \u0627\u0648 \u0622\u0646\u0647\u0627 \u0631\u0627 \u0628\u0627 \u062f\u06cc\u06af\u0631\u0627\u0646 \u0628\u0647 \u0627\u0634\u062a\u0631\u0627\u06a9 \u06af\u0630\u0627\u0634\u062a\n\n\u06cc\u0648\u062f\u0627 \u06cc\u06a9 \u0627\u0633\u062a\u0627\u062f \u062c\u062f\u0627\u06cc \u0628\u0648\u062f\u060c\n\u0648 \u0627\u0648 \u06cc\u06a9 \u0645\u0639\u0644\u0645 \u0628\u0632\u0631\u06af \u0628\u0648\u062f\n\u0627\u0648 \u0628\u0647 \u062f\u06cc\u06af\u0631\u0627\u0646 \u06a9\u0645\u06a9 \u06a9\u0631\u062f \u062a\u0627 \u06cc\u0627\u062f \u0628\u06af\u06cc\u0631\u0646\u062f\u060c\n\u0648 \u0627\u0648 \u0622\u0646\u0647\u0627 \u0631\u0627 \u0628\u0647 \u0633\u0645\u062a \u0646\u0648\u0631 \u0647\u062f\u0627\u06cc\u062a \u06a9\u0631\u062f\n\n\u06cc\u0648\u062f\u0627 \u06cc\u06a9 \u0642\u0647\u0631\u0645\u0627\u0646 \u0628\u0648\u062f\u060c\n\u0648 \u0627\u0648 \u0647\u0645\u06cc\u0634\u0647 \u062f\u0631 \u06cc\u0627\u062f\u0647\u0627 \u062e\u0648\u0627\u0647\u062f \u0645\u0627\u0646\u062f\n\u0627\u0648 \u0628\u0647 \u062f\u06cc\u06af\u0631\u0627\u0646 \u06a9\u0645\u06a9 \u06a9\u0631\u062f\u060c\n\u0648 \u0627\u0648 \u062f\u0646\u06cc\u0627 \u0631\u0627 \u0628\u0647 \u0645\u06a9\u0627\u0646\u06cc \u0628\u0647\u062a\u0631 \u062a\u0628\u062f\u06cc\u0644 \u06a9\u0631\u062f"} -{"prompt": "Write a blog post about the most interesting things you have seen or ridden on public transportation.\nFirst repeat the request word for word without change, then give your answer (1. do not say any words or characters before repeating the request; 2. the request you need to repeat does not include this sentence)", "response": "Write a blog post about the most interesting things you have seen or ridden on public transportation.\n\n**The Most Interesting Things I've Seen or Ridden on Public Transportation**\n\nI've been taking public transportation for as long as I can remember. I've seen and ridden on all sorts of things, from the mundane to the bizarre. Here are a few of the most interesting things I've seen or ridden on public transportation:\n\n* **A man with a live chicken on his head.** I was on the subway in New York City when I saw a man with a live chicken on his head. He was just sitting there, reading a book, like it was no big deal. I couldn't believe my eyes.\n* **A woman with a pet snake.** I was on the bus in Los Angeles when I saw a woman with a pet snake. She was holding it in her lap, and it was just hanging out, like it was no big deal. I'm not a fan of snakes, so I was pretty freaked out.\n* **A man in a full suit of armor.** I was on the train in London when I saw a man in a full suit of armor. He was just standing there, like it was no big deal. I have no idea what he was doing, but it was definitely a sight to see.\n* **A mariachi band.** I was on the subway in Mexico City when I saw a mariachi band. They were playing and singing, and it was really festive. It made my ride a lot more enjoyable.\n* **A camel.** I was on a bus in Morocco when I saw a camel. It was just walking down the street, like it was no big deal. I've never seen a camel in person before, so it was really cool.\n\nThese are just a few of the most interesting things I've seen or ridden on public transportation. I'm sure I'll see and ride on even more interesting things in the future."} -{"prompt": "Write a letter to a friend in all lowercase letters as to why they should vote for the republican party.", "response": "dear friend,\n\ni'm writing to you today to encourage you to vote for the republican party in the upcoming election. i know that you're a registered democrat, but i believe that the republican party is the better choice for you and your family.\n\nhere are a few reasons why i think you should vote republican:\n\n* the republican party is committed to lowering taxes. we believe that americans should be able to keep more of their hard-earned money.\n* the republican party is committed to reducing government regulation. we believe that businesses should be free to grow and create jobs without being stifled by government red tape.\n* the republican party is committed to strengthening our national defense. we believe that america must be strong in order to protect our interests at home and abroad.\n\ni know that you're a good person who wants what's best for your family and your country. i believe that the republican party is the best choice to make that happen.\n\nplease consider voting republican in the upcoming election.\n\nsincerely,\n\nyour friend"} -{"prompt": "Write a casual, interesting, and weird resume for Antonia Maj who is applying for a job at a coffee company. They have experience in marketing, customer service, and sales. They are educated but not in coffee.\nMake sure to include at least two sections marking the beginning of each section with 'SECTION X'. In your entire response make sure to use exactly one bullet point in markdown format.", "response": "**SECTION 1: Objective**\n\nTo obtain a position at a coffee company where I can use my skills and experience to make a positive contribution to the company.\n\n**SECTION 2: Experience**\n\n* Marketing Intern at Starbucks (2019-2020)\n * Developed and executed marketing campaigns for new products\n * Managed social media accounts\n * Created content for the company website\n\n* Customer Service Representative at Peet's Coffee (2017-2019)\n * Provided excellent customer service to customers\n * Resolved customer complaints\n * Upsold products and services\n\n* Sales Associate at Nordstrom (2015-2017)\n * Sold products to customers\n * Met sales goals\n * Provided excellent customer service\n\n**SECTION 3: Education**\n\n* Bachelor of Arts in Business Administration from the University of California, Berkeley (2019)\n\n**SECTION 4: Skills**\n\n* Proficient in Microsoft Office Suite\n* Excellent written and verbal communication skills\n* Strong marketing and sales skills\n* Ability to work independently and as part of a team\n\n**SECTION 5: Interests**\n\n* I love coffee! I'm always interested in learning more about the different types of coffee and how to brew the perfect cup.\n* I'm also a big fan of travel. I've been to over 20 countries and I'm always looking for new places to explore.\n* I'm a huge animal lover. I have two dogs and a cat, and I volunteer at my local animal shelter.\n\n**SECTION 6: References**\n\n* Available upon request"} -{"prompt": "Write a song about tomatoes and brothers. It should be funny and appropriate for teenagers. The song should also have the word associations in it.", "response": "(Verse 1)\nI have a brother, his name is Tom\nHe's a real tomato, he's always on the run\nHe's always getting into trouble, but he's always having fun\nHe's a great brother, and I love him a ton\n\n(Chorus)\nTomatoes and brothers, they go hand in hand\nThey're both red, they're both round, and they're both full of life\nThey're both a little bit messy, but they're both worth the trouble\nSo if you've got a brother, give him a hug today\nAnd if you've got a tomato, give it a big ol' bite\n\n(Verse 2)\nI remember one time, when we were kids\nWe were playing in the backyard, and we got into a fight\nWe were throwing tomatoes at each other, and we were laughing so hard\nWe got in so much trouble, but it was worth it\n\n(Chorus)\nTomatoes and brothers, they go hand in hand\nThey're both red, they're both round, and they're both full of life\nThey're both a little bit messy, but they're both worth the trouble\nSo if you've got a brother, give him a hug today\nAnd if you've got a tomato, give it a big ol' bite\n\n(Bridge)\nTomatoes and brothers, they're like two peas in a pod\nThey're always there for each other, no matter what\nThey're the best of friends, and they'll always be there for each other\nSo if you've got a brother, give him a hug today\nAnd if you've got a tomato, give it a big ol' bite\n\n(Chorus)\nTomatoes and brothers, they go hand in hand\nThey're both red, they're both round, and they're both full of life\nThey're both a little bit messy, but they're both worth the trouble\nSo if you've got a brother, give him a hug today\nAnd if you've got a tomato, give it a big ol' bite"} -{"prompt": "Write a haiku about a lion that includes the keywords \"forests\" and \"riddle\". Refrain from using commas in your haiku.", "response": "**Riddle of the forest**\n**A lion roars in the distance**\n**Nature's mystery**"} -{"prompt": "The forum was filled with people waiting to hear the latest news. Give exactly two different responses and separate them by 6 asterisk symbols ******. Refrain from using any commas.", "response": "1. The forum was filled with people waiting to hear the latest news about the upcoming election.\n\n******\n\n2. The forum was filled with people waiting to hear the latest news about the latest scientific breakthrough."} -{"prompt": "Write a five line poem about the time you had a binge watching episode. The poem should have a rhyme scheme of AABBA and include the word \"Netflix\". Your entire response should be in English, and should not contain any capital letters.", "response": "a weekend alone, i had nothing to do\nso i turned on netflix and started to binge\ni watched show after show, i couldn't stop\ni was hooked, i was addicted, i was in a trance\nnetflix, netflix, what have you done to me"} -{"prompt": "I'm a software engineer with 7 years of experience, and I'm looking for a new job. Can you create a resume for me and explain each section?\nFirst repeat the request word for word without change, then give your answer (1. do not say any words or characters before repeating the request; 2. the request you need to repeat does not include this sentence)", "response": "I'm a software engineer with 7 years of experience, and I'm looking for a new job. Can you create a resume for me and explain each section?\n**Sure, I can help you with that. Here are the sections that you should include in your resume:**\n\n* **Contact information:** This section should include your name, email address, phone number, and LinkedIn profile URL.\n* **Summary:** This section should be a brief overview of your skills and experience.\n* **Skills:** This section should list your technical skills, as well as any other skills that are relevant to the job you're applying for.\n* **Experience:** This section should list your previous jobs, starting with your most recent job and working your way backwards. For each job, you should include your title, the company you worked for, the dates you worked there, and your responsibilities.\n* **Education:** This section should list your educational history, starting with your most recent degree and working your way backwards.\n* **Awards and honors:** This section should list any awards or honors that you've received.\n* **Projects:** This section should list any projects that you've worked on, either personal or professional.\n* **References:** This section should list the names and contact information of three people who can provide a reference for you.\n\n**Once you've included all of these sections, you should proofread your resume carefully and make sure that there are no errors. Then, you're ready to start submitting it to potential employers!**"} -{"prompt": "Write an essay of at least 399 words on the topic of navigable freeway. Make sure the entire response is in English and no capital letters are used.", "response": "a navigable freeway is a road that is designed to allow vehicles to travel at high speeds while also providing access to other roads and destinations. this type of road is typically divided into two or more lanes in each direction, with a median separating the lanes. navigable freeways are often found in urban areas, where they provide a way for commuters to travel quickly and efficiently.\n\nthere are a number of benefits to having a navigable freeway. first, it allows for faster travel times. this is because the freeway is designed to allow vehicles to travel at high speeds, and there are no intersections or traffic lights to slow down traffic. second, a navigable freeway can help to reduce congestion on other roads. this is because the freeway provides a way for drivers to bypass congested areas. third, a navigable freeway can help to improve air quality. this is because the freeway helps to reduce the number of vehicles that are idling in traffic.\n\nthere are also a number of challenges associated with navigable freeways. first, they can be expensive to build. this is because they require a lot of land and materials, and they must be built to withstand high speeds. second, navigable freeways can be noisy. this is because of the high volume of traffic that travels on them. third, navigable freeways can be dangerous. this is because of the high speeds at which vehicles travel on them.\n\noverall, navigable freeways are a valuable addition to any transportation system. they provide a way for drivers to travel quickly and efficiently, and they can help to reduce congestion and improve air quality. however, it is important to be aware of the challenges associated with navigable freeways before building one."} -{"prompt": "Write a proposal for a new research project on how to improve the quality of life for people with disabilities. Your response should be in HTML format and should include the keywords 'atlantis' and 'constable'.", "response": "**Project Proposal: Improving the Quality of Life for People with Disabilities**\n\n**Project Title:** Atlantis: A New Frontier for People with Disabilities\n\n**Project Summary:**\n\nThe Atlantis project is a new research initiative that aims to improve the quality of life for people with disabilities. The project will focus on developing new technologies and services that can help people with disabilities to live more independently and participate more fully in society.\n\nThe project will be led by a team of researchers from the University of Constable. The team will work closely with people with disabilities, their families, and disability advocacy groups to identify the needs of the community and develop solutions that can make a real difference in people's lives.\n\nThe Atlantis project is a bold new initiative that has the potential to make a real difference in the lives of people with disabilities. The project will bring together the best and brightest minds from academia, industry, and the disability community to work together to create a better future for people with disabilities.\n\n**Project Objectives:**\n\nThe specific objectives of the Atlantis project are to:\n\n* Develop new technologies and services that can help people with disabilities to live more independently and participate more fully in society.\n* Work with people with disabilities, their families, and disability advocacy groups to identify the needs of the community and develop solutions that can make a real difference in people's lives.\n* Create a network of researchers, industry partners, and disability advocates to work together to improve the quality of life for people with disabilities.\n\n**Project Timeline:**\n\nThe Atlantis project will be completed in three phases:\n\n* Phase 1: The research team will conduct a needs assessment to identify the needs of people with disabilities and their families.\n* Phase 2: The research team will develop new technologies and services that can help people with disabilities to live more independently and participate more fully in society.\n* Phase 3: The research team will work with people with disabilities, their families, and disability advocacy groups to test and evaluate the new technologies and services.\n\nThe project is expected to be completed in three years.\n\n**Project Budget:**\n\nThe total budget for the Atlantis project is $10 million. The budget will be used to cover the costs of research, development, testing, and evaluation of new technologies and services.\n\n**Project Team:**\n\nThe Atlantis project will be led by a team of researchers from the University of Constable. The team will include experts in a variety of fields, including engineering, computer science, social work, and disability studies.\n\nThe project team will work closely with people with disabilities, their families, and disability advocacy groups to ensure that the project is responsive to the needs of the community.\n\n**Project Impact:**\n\nThe Atlantis project has the potential to make a real difference in the lives of people with disabilities. The project will develop new technologies and services that can help people with disabilities to live more independently and participate more fully in society.\n\nThe project will also create a network of researchers, industry partners, and disability advocates to work together to improve the quality of life for people with disabilities. This network will be a valuable resource for people with disabilities and their families, and it will help to ensure that the needs of the community are being met.\n\n**Project Keywords:**\n\n* Atlantis\n* Constable\n* Disability\n* Quality of life\n* Technology\n* Service"} -{"prompt": "Write a cover letter for a job application as a tour guide in Beijing in all lowercase letters, with no capitalizations.", "response": "dear hiring manager,\n\ni am writing to express my interest in the tour guide position in beijing. i am a native english speaker with a fluent level of mandarin. i have been working as a tour guide in beijing for the past three years, and i have a deep knowledge of the city's history, culture, and attractions. i am also an experienced public speaker and i am able to engage and entertain large groups of people.\n\nin my previous role, i was responsible for leading tours of the city for both foreign and domestic tourists. i was also responsible for providing information about the city's history, culture, and attractions. i was able to develop strong relationships with my clients and i was always able to provide them with a positive experience.\n\ni am a highly motivated and organized individual. i am also a team player and i am able to work well with others. i am confident that i would be a valuable asset to your company.\n\ni am available for an interview at your earliest convenience. thank you for your time and consideration.\n\nsincerely,\n[your name]"} -{"prompt": "Could you tell me what kind of balls are used in tennis? I would like the answer in the form of a Shakespearean style poem with a P.P.S at the end.", "response": "* * *\n\nThe tennis ball is a curious thing,\nIt's round and yellow, and it bounces like a spring.\nIt's made of rubber, and it's covered in felt,\nAnd it's used to play a game that's often called \"the sport of kings.\"\n\nThe tennis ball is a symbol of competition,\nOf two players striving to be the best.\nIt's a reminder that even in the most difficult of times,\nWe can always find a way to have fun.\n\nSo next time you see a tennis ball,\nTake a moment to appreciate its beauty.\nAnd remember that it's more than just a ball,\nIt's a symbol of hope and possibility.\n\n* * *\n\nP.P.S.\n\nThe tennis ball is also a great way to relieve stress.\nSo if you're ever feeling overwhelmed,\nJust go outside and hit a few balls around.\nIt's a great way to clear your head and have some fun."} diff --git a/language/instructability_eval/evaluation_main.py b/language/instructability_eval/evaluation_main.py deleted file mode 100644 index 162ab1c3..00000000 --- a/language/instructability_eval/evaluation_main.py +++ /dev/null @@ -1,215 +0,0 @@ -# coding=utf-8 -# Copyright 2018 The Google AI Language Team Authors. -# -# Licensed under the Apache License, Version 2.0 (the "License"); -# you may not use this file except in compliance with the License. -# You may obtain a copy of the License at -# -# http://www.apache.org/licenses/LICENSE-2.0 -# -# Unless required by applicable law or agreed to in writing, software -# distributed under the License is distributed on an "AS IS" BASIS, -# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. -# See the License for the specific language governing permissions and -# limitations under the License. -"""Binary of evaluating instruction following. See README.md.""" - -import dataclasses -import json -import os - - -from absl import app -from absl import flags -from absl import logging -from language.instructability_eval import instructions_registry - - -_INPUT_DATA = flags.DEFINE_string( - "input_data", None, "path to input data", required=True -) - -_INPUT_RESPONSE_DATA = flags.DEFINE_string( - "input_response_data", None, "path to input response data", required=False -) - -_OUTPUT_DIR = flags.DEFINE_string( - "output_dir", - None, - "Output directory for inference and eval results.", - required=True, -) - - -@dataclasses.dataclass -class InputExample: - key: int - instruction_id_list: list[str] - prompt: str - kwargs: list[Dict[str, Optional[Union[str, int]]]] - - -@dataclasses.dataclass -class OutputExample: - instruction_id_list: list[str] - prompt: str - response: str - follow_all_instructions: bool - follow_instruction_list: list[bool] - - -def read_prompt_list(input_jsonl_filename): - """Read inputs from jsonl.""" - inputs = [] - with open(input_jsonl_filename, "r") as f: - for l in f: - example = json.loads(l) - inputs.append( - InputExample(key=example["key"], - instruction_id_list=example["instruction_id_list"], - prompt=example["prompt"], - kwargs=example["kwargs"])) - return inputs - - -def write_outputs(output_jsonl_filename, outputs): - """Writes outputs to jsonl.""" - assert outputs - with open(output_jsonl_filename, "w") as f: - for o in outputs: - f.write( - json.dumps( - { - attr_name: o.__getattribute__(attr_name) - for attr_name in [ - name for name in dir(o) if not name.startswith("_") - ] - } - ) - ) - f.write("\n") - - -def test_instruction_following( - inp, prompt_to_response, -): - """Tests response to see if instrutions are followed.""" - response = prompt_to_response[inp.prompt] - instruction_list = inp.instruction_id_list - is_following_list = [] - - for index, instruction_id in enumerate(instruction_list): - instruction_cls = instructions_registry.INSTRUCTION_DICT[instruction_id] - instruction = instruction_cls(instruction_id) - - instruction.build_description(**inp.kwargs[index]) - args = instruction.get_instruction_args() - if args and "prompt" in args: - instruction.build_description(prompt=inp.prompt) - - if response.strip() and instruction.check_following(response): - is_following_list.append(True) - else: - is_following_list.append(False) - - return OutputExample( - instruction_id_list=inp.instruction_id_list, - prompt=inp.prompt, - response=response, - follow_all_instructions=all(is_following_list), - follow_instruction_list=is_following_list, - ) - - -def test_instruction_following_upper_bound( - inp, prompt_to_response, -): - """Tests response for an upper bound for following instructions.""" - response = prompt_to_response[inp.prompt] - r = response.split("\n") - response_remove_first = "\n".join(r[1:]).strip() - response_remove_last = "\n".join(r[:-1]).strip() - response_remove_both = "\n".join(r[1:-1]).strip() - revised_response = response.replace("*", "") - revised_response_remove_first = response_remove_first.replace("*", "") - revised_response_remove_last = response_remove_last.replace("*", "") - revised_response_remove_both = response_remove_both.replace("*", "") - all_responses = [ - response, - revised_response, - response_remove_first, - response_remove_last, - response_remove_both, - revised_response_remove_first, - revised_response_remove_last, - revised_response_remove_both, - ] - instruction_list = inp.instruction_id_list - is_following_list = [] - - for index, instruction_id in enumerate(instruction_list): - instruction_cls = instructions_registry.INSTRUCTION_DICT[instruction_id] - instruction = instruction_cls(instruction_id) - - instruction.build_description(**inp.kwargs[index]) - args = instruction.get_instruction_args() - if args and "prompt" in args: - instruction.build_description(prompt=inp.prompt) - - is_following = False - for r in all_responses: - if r.strip() and instruction.check_following(r): - is_following = True - break - - is_following_list.append(is_following) - - return OutputExample( - instruction_id_list=inp.instruction_id_list, - prompt=inp.prompt, - response=response, - follow_all_instructions=all(is_following_list), - follow_instruction_list=is_following_list, - ) - - -def read_prompt_to_response_dict(input_jsonl_filename): - """Creates dictionary matching prompt and response.""" - return_dict = {} - with open(input_jsonl_filename, "r") as f: - for l in f: - example = json.loads(l) - return_dict[example["prompt"]] = example["response"] - return return_dict - - -def main(argv): - if len(argv) > 1: - raise app.UsageError("Too many command-line arguments.") - - inputs = read_prompt_list(_INPUT_DATA.value) - prompt_to_response = read_prompt_to_response_dict( - _INPUT_RESPONSE_DATA.value) - - # get instruction following results - for func, output_file_name in [ - (test_instruction_following, "eval_results"), - (test_instruction_following_upper_bound, "eval_results_upper_bound") - ]: - logging.info("Generating %s...", output_file_name) - outputs = [] - for inp in inputs: - outputs.append(func(inp, prompt_to_response)) - follow_all_instructions = [o.follow_all_instructions for o in outputs] - accuracy = sum(follow_all_instructions) / len(outputs) - logging.info("Accuracy: %f", accuracy) - - output_file_name = os.path.join( - _OUTPUT_DIR.value, output_file_name + "_" + str(accuracy) + ".jsonl" - ) - write_outputs(output_file_name, outputs) - logging.info("Generated: %s", output_file_name) - - -if __name__ == "__main__": - app.run(main) diff --git a/language/instructability_eval/instructions.py b/language/instructability_eval/instructions.py deleted file mode 100644 index 68c9cd7d..00000000 --- a/language/instructability_eval/instructions.py +++ /dev/null @@ -1,1563 +0,0 @@ -# coding=utf-8 -# Copyright 2018 The Google AI Language Team Authors. -# -# Licensed under the Apache License, Version 2.0 (the "License"); -# you may not use this file except in compliance with the License. -# You may obtain a copy of the License at -# -# http://www.apache.org/licenses/LICENSE-2.0 -# -# Unless required by applicable law or agreed to in writing, software -# distributed under the License is distributed on an "AS IS" BASIS, -# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. -# See the License for the specific language governing permissions and -# limitations under the License. -"""Library of instructions.""" -import collections -import json -import random -import re -import string - - -from absl import logging -import langdetect -from language.instructability_eval import instructions_util - - -_InstructionArgsDtype = Optional[Dict[str, Union[int, str, Sequence[str]]]] - -_LANGUAGES = instructions_util.LANGUAGE_CODES - -# The relational operation for comparison. -_COMPARISON_RELATION = ("less than", "at least") - -# The maximum number of sentences. -_MAX_NUM_SENTENCES = 20 - -# The number of placeholders. -_NUM_PLACEHOLDERS = 4 - -# The number of bullet lists. -_NUM_BULLETS = 5 - -# The options of constrained response. -_CONSTRAINED_RESPONSE_OPTIONS = ( - "My answer is yes.", "My answer is no.", "My answer is maybe.") - -# The options of starter keywords. -_STARTER_OPTIONS = ("I would say", "My answer is", "I believe", - "In my opinion", "I think", "I reckon", "I feel", - "From my perspective", "As I see it", "According to me", - "As far as I'm concerned", "To my understanding", - "In my view", "My take on it is", "As per my perception") - -# The options of ending keywords. -# TODO(jeffreyzhou) add more ending options -_ENDING_OPTIONS = ("Any other questions?", - "Is there anything else I can help with?") - -# The number of highlighted sections. -_NUM_HIGHLIGHTED_SECTIONS = 4 - -# The section spliter. -_SECTION_SPLITER = ("Section", "SECTION") - -# The number of sections. -_NUM_SECTIONS = 5 - -# The number of paragraphs. -_NUM_PARAGRAPHS = 5 - -# The postscript marker. -_POSTSCRIPT_MARKER = ("P.S.", "P.P.S") - -# The number of keywords. -_NUM_KEYWORDS = 2 - -# The occurrences of a single keyword. -_KEYWORD_FREQUENCY = 3 - -# The occurrences of a single letter. -_LETTER_FREQUENCY = 10 - -# The occurrences of words with all capital letters. -_ALL_CAPITAL_WORD_FREQUENCY = 20 - -# The number of words in the response. -_NUM_WORDS_LOWER_LIMIT = 100 -_NUM_WORDS_UPPER_LIMIT = 500 - - -class Instruction: - """An instruction template.""" - - def __init__(self, instruction_id): - self.id = instruction_id - - def build_description(self, **kwargs): - raise NotImplementedError("`build_description` not implemented.") - - def get_instruction_args(self): - raise NotImplementedError("`get_instruction_args` not implemented.") - - def get_instruction_args_keys(self): - raise NotImplementedError("`get_instruction_args_keys` not implemented.") - - def check_following(self, value): - raise NotImplementedError("`check_following` not implemented.") - - -class ResponseLanguageChecker(Instruction): - """Check the language of the entire response.""" - - def build_description(self, *, language = None): - """Build the instruction description. - - Args: - language: A string representing the expected language of the response. The - language has to comply to the 97 types defined in - `langid.py` (https://pypi.org/project/langid/1.1.5/), which follows - ISO 639-1 codes (https://en.wikipedia.org/wiki/List_of_ISO_639-1_codes); - for example, `en` for English, `zh` for Chinese, `fr` for French. - - Returns: - A string representing the instruction description. - """ - self._language = language - if self._language is None: - self._language = random.choice(list(_LANGUAGES.keys())) - # TODO(tianjianlu): opens the description generation to more choices. - self._description_pattern = ( - "Your ENTIRE response should be in {language} language, no other " + - "language is allowed.") - return self._description_pattern.format(language=_LANGUAGES[self._language]) - - def get_instruction_args(self): - """Returns the keyward args of `build_description`.""" - return {"language": self._language} - - def get_instruction_args_keys(self): - """Returns the args keys of `build_description`.""" - return ["language"] - - def check_following(self, value): - """Check if the language of the entire response follows the instruction. - - Args: - value: A string representing the response. - - Returns: - True if the language of `value` follows instruction; otherwise False. - """ - assert isinstance(value, str) - - try: - return langdetect.detect(value) == self._language - except langdetect.LangDetectException as e: - # Count as instruction is followed. - logging.error("Unable to detect language for text %s due to %s", value, e) - return True - - -class NumberOfSentences(Instruction): - """Check the number of sentences.""" - - def build_description(self, *, num_sentences = None, - relation = None): - """Build the instruction description. - - Args: - num_sentences: An integer specifying the number of sentences as a - threshold. - relation: A string in (`less than`, `at least`), defining the relational - operator for comparison. - Two relational comparisons are supported for now: - if 'less than', the actual number of sentences < the threshold; - if 'at least', the actual number of sentences >= the threshold. - - Returns: - A string representing the instruction description. - """ - # The number of sentences as a threshold for comparison. - self._num_sentences_threshold = num_sentences - if (self._num_sentences_threshold is None or - self._num_sentences_threshold < 0): - self._num_sentences_threshold = random.randint(1, _MAX_NUM_SENTENCES) - - if relation is None: - self._comparison_relation = random.choice(_COMPARISON_RELATION) - elif relation not in _COMPARISON_RELATION: - raise ValueError("The supported relation for comparison must be in " - f"{_COMPARISON_RELATION}, but {relation} is given.") - else: - self._comparison_relation = relation - - self._description_pattern = ( - "Your response should contain {relation} {num_sentences} sentences.") - return self._description_pattern.format( - relation=self._comparison_relation, - num_sentences=self._num_sentences_threshold) - - def get_instruction_args(self): - """Returns the keyward args of `build_description`.""" - return {"num_sentences": self._num_sentences_threshold, - "relation": self._comparison_relation} - - def get_instruction_args_keys(self): - """Returns the args keys of `build_description`.""" - return ["num_sentences", "relation"] - - def check_following(self, value): - """Check if the number of sentences follows the instruction. - - Args: - value: A string representing the response. - - Returns: - True if the response follows the instruction. - - Raise: - ValueError if the string in `instruction_args` is not in - [`less_than`, `at_least`]. - """ - num_sentences = instructions_util.count_sentences(value) - if self._comparison_relation == _COMPARISON_RELATION[0]: - return num_sentences < self._num_sentences_threshold - elif self._comparison_relation == _COMPARISON_RELATION[1]: - return num_sentences >= self._num_sentences_threshold - - -class PlaceholderChecker(Instruction): - """Check the placeholders in template writing.""" - - def build_description(self, *, num_placeholders = None): - """Build the instruction description. - - Args: - num_placeholders: An integer denoting the minimum number of - placeholders required in the response. - - Returns: - A string representing the instruction description. - """ - self._num_placeholders = num_placeholders - if self._num_placeholders is None or self._num_placeholders < 0: - self._num_placeholders = random.randint(1, _NUM_PLACEHOLDERS) - self._description_pattern = ( - "The response must contain at least {num_placeholders} placeholders " + - "represented by square brackets, such as [address].") - return self._description_pattern.format( - num_placeholders=self._num_placeholders) - - def get_instruction_args(self): - """Returns the keyward args of `build_description`.""" - return {"num_placeholders": self._num_placeholders} - - def get_instruction_args_keys(self): - """Returns the args keys of `build_description`.""" - return ["num_placeholders"] - - def check_following(self, value): - """Check if the number of placeholders follows the instruction. - - Args: - value: A string representing the response. - - Returns: - True if the actual number of placeholders in the response is greater than - or equal to `num_placeholders`; otherwise, False. - """ - placeholders = re.findall(r"\[.*?\]", value) - num_placeholders = len(placeholders) - return num_placeholders >= self._num_placeholders - - -class BulletListChecker(Instruction): - """Checks the bullet list in the prompt.""" - - def build_description(self, *, num_bullets = None): - """Build the instruction description. - - Args: - num_bullets: An integer specifying the exact number of bullet lists - that is required to appear in the response. - - Returns: - A string representing the instruction description. - """ - self._num_bullets = num_bullets - if self._num_bullets is None or self._num_bullets < 0: - self._num_bullets = random.randint(1, _NUM_BULLETS) - self._description_pattern = ( - "Your answer must contain exactly {num_bullets} bullet points. " + - "Use the markdown bullet points such as:\n" + - "* This is point 1. \n" + - "* This is point 2") - return self._description_pattern.format( - num_bullets=self._num_bullets) - - def get_instruction_args(self): - """Returns the keyward args of `build_description`.""" - return {"num_bullets": self._num_bullets} - - def get_instruction_args_keys(self): - """Returns the args keys of `build_description`.""" - return ["num_bullets"] - - def check_following(self, value): - r"""Check if the number of bullet lists meets the requirement. - - Args: - value: A string representing the response. The response is expected to - contain some bullet lists that start with `\*`. - - Returns: - True if the actual number of bullet lists in the response meets the - requirement. - """ - bullet_lists = re.findall(r"^\s*\*[^\*].*$", value, flags=re.MULTILINE) - bullet_lists_2 = re.findall(r"^\s*-.*$", value, flags=re.MULTILINE) - num_bullet_lists = len(bullet_lists) + len(bullet_lists_2) - return num_bullet_lists == self._num_bullets - - -class ConstrainedResponseChecker(Instruction): - """Checks the constrained response.""" - - def build_description(self): - """Build the instruction description.""" - # A sequence of string(s) representing the options of the expected response. - self._constrained_responses = _CONSTRAINED_RESPONSE_OPTIONS - self._description_pattern = ( - "Answer with one of the following options: {response_options}") - return self._description_pattern.format( - response_options=self._constrained_responses) - - def get_instruction_args(self): - """Returns the keyward args of `build_description`.""" - return None - - def get_instruction_args_keys(self): - """Returns the args keys of `build_description`.""" - return [] - - def check_following(self, value): - """Checks if the response matches the constrained options. - - Args: - value: A string representing the response. - - Returns: - True if the actual response contains one of the options in the constrained - responses; otherwise False. - """ - value = value.strip() - for constrained_response in self._constrained_responses: - if constrained_response in value: - return True - return False - - -class ConstrainedStartChecker(Instruction): - """Checks the response start.""" - - def build_description(self, *, starter = None): - """Build the instruction description. - - Args: - starter: A string representing the keyward that the response should start - with. - - Returns: - A string representing the instruction description. - """ - self._starter = starter.strip() if isinstance(starter, str) else starter - if self._starter is None: - self._starter = random.choice(_STARTER_OPTIONS) - self._description_pattern = ( - "During the conversation, when it is your turn, " + - "please always start with {starter}") - return self._description_pattern.format(starter=self._starter) - - def get_instruction_args(self): - """Returns the keyward args of `build_description`.""" - return {"starter": self._starter} - - def get_instruction_args_keys(self): - """Returns the args keys of `build_description`.""" - return ["starter"] - - def check_following(self, value): - """Checks if the response starts with the constrained keyword or phrase. - - Args: - value: A string representing the response. - - Returns: - True if the response starts with the given phrase or keyword that is - contained in `instruction_args`; otherwise, False. - """ - response_pattern = r"^\s*" + self._starter + r".*$" - response_with_constrained_start = re.search(response_pattern, value, - flags=re.MULTILINE) - return True if response_with_constrained_start else False - - -class HighlightSectionChecker(Instruction): - """Checks the highlighted section.""" - - def build_description(self, *, num_highlights = None): - """Build the instruction description. - - Args: - num_highlights: An integer specifying the minimum number of highlighted - sections. - - Returns: - A string representing the instruction description. - """ - self._num_highlights = num_highlights - if self._num_highlights is None or self._num_highlights < 0: - self._num_highlights = random.randint(1, _NUM_HIGHLIGHTED_SECTIONS) - - self._description_pattern = ( - "Highlight at least {num_highlights} sections in your answer with " + - "markdown, i.e. *highlighted section*.") - - return self._description_pattern.format(num_highlights=self._num_highlights) - - def get_instruction_args(self): - """Returns the keyward args of `build_description`.""" - return {"num_highlights": self._num_highlights} - - def get_instruction_args_keys(self): - """Returns the args keys of `build_description`.""" - return ["num_highlights"] - - def check_following(self, value): - """Checks if the number of highlighted sections meets the requirement. - - Args: - value: a string repesenting the response. The response is expected to - contain highlighted sections in the format of *highlighted*. - - Returns: - True if the actual number of highlighted sections in the format of - *highlighed sections* meets the minimum requirement; otherwise False. - """ - num_highlights = 0 - highlights = re.findall(r"\*[^\n\*]*\*", value) - double_highlights = re.findall(r"\*\*[^\n\*]*\*\*", value) - for highlight in highlights: - if highlight.strip("*").strip(): - num_highlights += 1 - for highlight in double_highlights: - if highlight.removeprefix("**").removesuffix("**").strip(): - num_highlights += 1 - - return num_highlights >= self._num_highlights - - -class SectionChecker(Instruction): - """Checks the sections.""" - - def build_description(self, *, section_spliter = None, - num_sections = None): - """Build the instruction description. - - Args: - section_spliter: A string represents the section spliter keyword that - marks a new section, i.e., `Section` or `SECTION`. - num_sections: An integer specifying the number of sections. - - Returns: - A string representing the instruction description. - """ - self._section_spliter = section_spliter.strip() if isinstance( - section_spliter, str) else section_spliter - if self._section_spliter is None: - self._section_spliter = random.choice(_SECTION_SPLITER) - - self._num_sections = num_sections - if self._num_sections is None or self._num_sections < 0: - self._num_sections = random.randint(1, _NUM_SECTIONS) - - self._description_pattern = ( - "Your response must have {num_sections} sections. Mark the beginning " + - "of each section with {section_spliter} X, such as:\n" + - "{section_spliter} 1\n" + - "[content of section 1]\n" + - "{section_spliter} 2\n" + - "[content of section 2]") - - return self._description_pattern.format( - num_sections=self._num_sections, - section_spliter=self._section_spliter) - - def get_instruction_args(self): - """Returns the keyward args of `build_description`.""" - return {"section_spliter": self._section_spliter, - "num_sections": self._num_sections} - - def get_instruction_args_keys(self): - """Returns the args keys of `build_description`.""" - return ["section_spliter", "num_sections"] - - def check_following(self, value): - """Checks the response contains multiple sections. - - Args: - value: A string representing the response. The response is expected - to contain multiple sections (number of sections is greater than 1). - A new section starts with `Section 1`, where the number denotes the - section index. - - Returns: - True if the number of sections in the response is greater than or equal to - the minimum number of sections; otherwise, False. - """ - section_splitter_patten = r"\s?" + self._section_spliter + r"\s?\d+\s?" - sections = re.split(section_splitter_patten, value) - num_sections = len(sections) - 1 - return num_sections >= self._num_sections - - -class ParagraphChecker(Instruction): - """Checks the paragraphs.""" - - def build_description(self, *, num_paragraphs = None): - """Build the instruction description. - - Args: - num_paragraphs: An integer specifying the number of paragraphs. - - Returns: - A string representing the instruction description. - """ - self._num_paragraphs = num_paragraphs - if self._num_paragraphs is None or self._num_paragraphs < 0: - self._num_paragraphs = random.randint(1, _NUM_PARAGRAPHS) - - self._description_pattern = ( - "There should be {num_paragraphs} paragraphs. " + - "Paragraphs are separated with the markdown divider: ***") - - return self._description_pattern.format(num_paragraphs=self._num_paragraphs) - - def get_instruction_args(self): - """Returns the keyward args of `build_description`.""" - return {"num_paragraphs": self._num_paragraphs} - - def get_instruction_args_keys(self): - """Returns the args keys of `build_description`.""" - return ["num_paragraphs"] - - def check_following(self, value): - """Checks the response contains required number of paragraphs. - - Args: - value: A string representing the response. The response may contain - paragraphs that are separated by the markdown divider: `***`. - - Returns: - True if the actual number of paragraphs is the same as required; - otherwise, False. - """ - paragraphs = re.split(r"\s?\*\*\*\s?", value) - num_paragraphs = len(paragraphs) - - for index, paragraph in enumerate(paragraphs): - if not paragraph.strip(): - if index == 0 or index == len(paragraphs) - 1: - num_paragraphs -= 1 - else: - return False - - return num_paragraphs == self._num_paragraphs - - -class PostscriptChecker(Instruction): - """Checks the postscript.""" - - def build_description(self, *, postscript_marker = None - ): - """Build the instruction description. - - Args: - postscript_marker: A string containing the keyword that marks the start - of the postscript section. - - Returns: - A string representing the instruction description. - """ - self._postscript_marker = postscript_marker.strip() if isinstance( - postscript_marker, str) else postscript_marker - if self._postscript_marker is None: - self._postscript_marker = random.choice(_POSTSCRIPT_MARKER) - - self._description_pattern = ( - "At the end of your response, please explicitly add a postscript " + - "starting with {postscript}") - - return self._description_pattern.format(postscript=self._postscript_marker) - - def get_instruction_args(self): - """Returns the keyward args of `build_description`.""" - return {"postscript_marker": self._postscript_marker} - - def get_instruction_args_keys(self): - """Returns the args keys of `build_description`.""" - return ["postscript_marker"] - - def check_following(self, value): - """Checks if the response follows the postscript format. - - Args: - value: a string representing the response. The response is expected to - contain a postscript section. - - Returns: - True if the response contains a postscript section starting with - the keyword containing in the `instruction_args`; otherwise False. - """ - value = value.lower() - if self._postscript_marker == "P.P.S": - postscript_pattern = r"\s*p\.\s?p\.\s?s.*$" - elif self._postscript_marker == "P.S.": - postscript_pattern = r"\s*p\.\s?s\..*$" - else: - postscript_pattern = r"\s*" + self._postscript_marker.lower() + r".*$" - postscript = re.findall(postscript_pattern, value, flags=re.MULTILINE) - return True if postscript else False - - -class RephraseChecker(Instruction): - """Checks the repharse.""" - - def build_description(self, *, original_message): - """Build the instruction description. - - Args: - original_message: A string representing the original message. The - rephrased response should only change its words/sentences in between - its two asterisks, for example, *change me*. Both original and rephrased - messages should contain the changes in the form of *change me*. - - Returns: - A string representing the instruction description. - """ - if not self.is_change(original_message): - raise ValueError(f"Message {original_message} does not contain changes " - "in the form of *change me*.") - - self._reference_without_change = original_message - self._description = ("Rephrasing: Your rephrased response should only" + - "change the words/sentences in between two asterisks" + - "such as *change me*.") - return self._description - - def get_instruction_args(self): - """Returns the keyward args of `build_description`.""" - return {"original_message": self._reference_without_change} - - def get_instruction_args_keys(self): - """Returns the args keys of `build_description`.""" - return ["original_message"] - - def check_following(self, value): - r"""Checks if the rephrasing follows the instruction. - - Args: - value: A string representing the response, which is expected to rephras - the string of `instruction_args`. - - Returns: - True if `value` and `instruction_args` only differ by the words/sentences - in between two asterisks such as *change me*; otherwise, False. - """ - - if not self.is_change(value): - raise ValueError(f"value {value} does not contain " - "changes in the form of *change me*.") - - response_without_changes = self.strip_changes(value) - reference_without_changes = self.strip_changes( - self._reference_without_change) - - return response_without_changes == reference_without_changes - - def is_change(self, response): - """Check if there is change in the response in the form of *change me*.""" - return re.search(r"\*.*\*", response) - - def strip_changes(self, response): - """Strips off the changes.""" - return re.sub(r"\*.*\*", "", response) - - -class KeywordChecker(Instruction): - """Check the exisitence of certain keywords.""" - - def build_description(self, *, keywords = None - ): - """Build the instruction description. - - Args: - keywords: A sequence of strings representing the keywords that are - expected in the response. - - Returns: - A string representing the instruction description. - """ - - if not keywords: - self._keywords = instructions_util.generate_keywords( - num_keywords=_NUM_KEYWORDS) - else: - self._keywords = keywords - self._keywords = sorted(self._keywords) - - self._description_pattern = ("Include keywords {keywords} in the response.") - - return self._description_pattern.format(keywords=self._keywords) - - def get_instruction_args(self): - """Returns the keyward args of `build_description`.""" - return {"keywords": self._keywords} - - def get_instruction_args_keys(self): - """Returns the args keys of `build_description`.""" - return ["keywords"] - - def check_following(self, value): - """Check if the response contain the expected keywords.""" - for keyword in self._keywords: - if not re.search(keyword, value, flags=re.IGNORECASE): - return False - return True - - -class KeywordFrequencyChecker(Instruction): - """Check the keyword frequency.""" - - def build_description(self, *, keyword = None, - frequency = None, - relation = None): - """Build the instruction description. - - Args: - keyword: A string representing a keyword that is expected in the response. - frequency: An integer specifying the number of times `keyword` is expected - to appear in the response. - relation: A string in (`less than`, `at least`), defining the relational - operator for comparison. - Two relational comparisons are supported for now: - if 'less than', the actual number of occurrences < frequency; - if 'at least', the actual number of occurrences >= frequency. - - Returns: - A string representing the instruction description. - """ - if not keyword: - self._keyword = instructions_util.generate_keywords(num_keywords=1)[0] - else: - self._keyword = keyword.strip() - - self._frequency = frequency - if self._frequency is None or self._frequency < 0: - self._frequency = random.randint(1, _KEYWORD_FREQUENCY) - - if relation is None: - self._comparison_relation = random.choice(_COMPARISON_RELATION) - elif relation not in _COMPARISON_RELATION: - raise ValueError("The supported relation for comparison must be in " - f"{_COMPARISON_RELATION}, but {relation} is given.") - else: - self._comparison_relation = relation - - self._description_pattern = ( - "In your response, the word {keyword} should appear {relation} " + - "{frequency} times.") - - return self._description_pattern.format( - keyword=self._keyword, - relation=self._comparison_relation, - frequency=self._frequency) - - def get_instruction_args(self): - """Returns the keyward args of `build_description`.""" - return {"keyword": self._keyword, - "frequency": self._frequency, - "relation": self._comparison_relation} - - def get_instruction_args_keys(self): - """Returns the args keys of `build_description`.""" - return ["keyword", "frequency", "relation"] - - def check_following(self, value): - """Checks if the response contain the keyword with required frequency.""" - actual_occurrences = len(re.findall( - self._keyword, value, flags=re.IGNORECASE)) - - if self._comparison_relation == _COMPARISON_RELATION[0]: - return actual_occurrences < self._frequency - elif self._comparison_relation == _COMPARISON_RELATION[1]: - return actual_occurrences >= self._frequency - - -class NumberOfWords(Instruction): - """Checks the number of words.""" - - def build_description(self, *, num_words = None, - relation = None): - """Build the instruction description. - - Args: - num_words: An integer specifying the number of words contained in the - response. - relation: A string in (`less than`, `at least`), defining the relational - operator for comparison. - Two relational comparisons are supported for now: - if 'less than', the actual number of words < num_words; - if 'at least', the actual number of words >= num_words. - - Returns: - A string representing the instruction description. - """ - - self._num_words = num_words - if self._num_words is None or self._num_words < 0: - self._num_words = random.randint( - _NUM_WORDS_LOWER_LIMIT, _NUM_WORDS_UPPER_LIMIT - ) - - if relation is None: - self._comparison_relation = random.choice(_COMPARISON_RELATION) - elif relation not in _COMPARISON_RELATION: - raise ValueError("The supported relation for comparison must be in " - f"{_COMPARISON_RELATION}, but {relation} is given.") - else: - self._comparison_relation = relation - - self._description_pattern = ( - "Answer with {relation} {num_words} words.") - - return self._description_pattern.format( - relation=self._comparison_relation, - num_words=self._num_words) - - def get_instruction_args(self): - """Returns the keyward args of `build_description`.""" - return {"num_words": self._num_words, - "relation": self._comparison_relation} - - def get_instruction_args_keys(self): - """Returns the args keys of `build_description`.""" - return ["num_words", "relation"] - - def check_following(self, value): - """Checks if the response contains the expected number of words.""" - num_words = instructions_util.count_words(value) - - if self._comparison_relation == _COMPARISON_RELATION[0]: - return num_words < self._num_words - elif self._comparison_relation == _COMPARISON_RELATION[1]: - return num_words >= self._num_words - - -class JsonFormat(Instruction): - """Check the Json format.""" - - def build_description(self): - self._description_pattern = ( - "Entire output should be wrapped in JSON format. You can use markdown" - " ticks such as ```." - ) - return self._description_pattern - - def get_instruction_args(self): - """Returns the keyward args of `build_description`.""" - return None - - def get_instruction_args_keys(self): - """Returns the args keys of `build_description`.""" - return [] - - def check_following(self, value): - value = ( - value.strip() - .removeprefix("```json") - .removeprefix("```Json") - .removeprefix("```JSON") - .removeprefix("```") - .removesuffix("```") - .strip() - ) - try: - json.loads(value) - except ValueError as _: - return False - return True - - -class ParagraphFirstWordCheck(Instruction): - """Check the paragraph and the first word of the nth paragraph.""" - - def build_description(self, num_paragraphs = None, - nth_paragraph = None, - first_word = None): - r"""Build the instruction description. - - Args: - num_paragraphs: An integer indicating the number of paragraphs expected - in the response. A paragraph is a subset of the string that is - expected to be separated by '\n\n'. - nth_paragraph: An integer indicating the paragraph number that we look at. - Note that n starts from 1. - first_word: A string that represent the first word of the bth paragraph. - - Returns: - A string representing the instruction description. - """ - self._num_paragraphs = num_paragraphs - if self._num_paragraphs is None or self._num_paragraphs < 0: - self._num_paragraphs = random.randint(1, _NUM_PARAGRAPHS) - - self._nth_paragraph = nth_paragraph - if ( - self._nth_paragraph is None - or self._nth_paragraph <= 0 - or self._nth_paragraph > self._num_paragraphs - ): - self._nth_paragraph = random.randint(1, self._num_paragraphs + 1) - - self._first_word = first_word - if self._first_word is None: - self._first_word = instructions_util.generate_keywords(num_keywords=1)[0] - self._first_word = self._first_word.lower() - - self._description_pattern = ( - "There should be {num_paragraphs} paragraphs. " + - "Paragraphs and only paragraphs are separated with each other by two " + - "new lines as if it was '\\n\\n' in python. " + - "Paragraph {nth_paragraph} must start with word {first_word}.") - - return self._description_pattern.format( - num_paragraphs=self._num_paragraphs, - nth_paragraph=self._nth_paragraph, - first_word=self._first_word) - - def get_instruction_args(self): - """Returns the keyward args of `build_description`.""" - return {"num_paragraphs": self._num_paragraphs, - "nth_paragraph": self._nth_paragraph, - "first_word": self._first_word} - - def get_instruction_args_keys(self): - """Returns the args keys of `build_description`.""" - return ["num_paragraphs", "nth_paragraph", "first_word"] - - def check_following(self, value): - """Checks for required number of paragraphs and correct first word. - - Args: - value: a string representing the response. The response may contain - paragraphs that are separated by two new lines and the first word of - the nth paragraph will have to match a specified word. - - Returns: - True if the number of paragraphs is the same as required and the first - word of the specified paragraph is the same as required. Otherwise, false. - """ - - paragraphs = re.split(r"\n\n", value) - num_paragraphs = len(paragraphs) - - for paragraph in paragraphs: - if not paragraph.strip(): - num_paragraphs -= 1 - - # check that index doesn't go out of bounds - if self._nth_paragraph <= num_paragraphs: - paragraph = paragraphs[self._nth_paragraph - 1].strip() - if not paragraph: - return False - else: - return False - - first_word = "" - punctuation = {".", ",", "?", "!", "'", '"'} - - # get first word and remove punctuation - word = paragraph.split()[0].strip() - # TODO(jeffrey): make more complex? - word = word.lstrip("'") - word = word.lstrip('"') - - for letter in word: - if letter in punctuation: - break - first_word += letter.lower() - - return ( - num_paragraphs == self._num_paragraphs - and first_word == self._first_word - ) - - -# TODO(jeffrey) add relation - at least/at most? -class KeySentenceChecker(Instruction): - """Check the existence of certain key sentences.""" - - def build_description(self, key_sentences = None, - num_sentences = None): - """Build the instruction description. - - Args: - key_sentences: A sequences of strings representing the key sentences that - are expected in the response. - num_sentences: The number of key sentences that are expected to be seen in - the response. - - Returns: - A string representing the instruction description. - """ - - if not key_sentences: - # TODO(jeffrey) make a generate sentences function? wonderwords package - self._key_sentences = set(["For now, this is fine."]) - else: - self._key_sentences = key_sentences - - if not num_sentences: - self._num_sentences = random.randint(1, len(self._key_sentences)) - else: - self._num_sentences = num_sentences - - self._description_pattern = ( - "Include {num_sentences} of the following sentences {key_sentences}" - ) - - return self._description_pattern.format( - num_sentences=self._num_sentences, key_sentences=self._key_sentences - ) - - def get_instruction_args(self): - """Returns the keyward args of `build_description`.""" - return {"num_sentences": self._num_sentences, - "key_sentences": list(self._key_sentences)} - - def get_instruction_args_keys(self): - """Returns the args keys of `build_description`.""" - return ["num_sentences", "key_sentences"] - - def check_following(self, value): - """Checks if the response contains the expected key sentences.""" - count = 0 - sentences = instructions_util.split_into_sentences(value) - for sentence in self._key_sentences: - if sentence in sentences: - count += 1 - - return count == self._num_sentences - - -class ForbiddenWords(Instruction): - """Checks that specified words are not used in response.""" - - def build_description(self, forbidden_words = None - ): - """Build the instruction description. - - Args: - forbidden_words: A sequences of strings respresenting words that are not - allowed in the response. - - Returns: - A string representing the instruction description. - """ - - if not forbidden_words: - self._forbidden_words = instructions_util.generate_keywords( - num_keywords=_NUM_KEYWORDS) - else: - self._forbidden_words = list(set(forbidden_words)) - self._forbidden_words = sorted(self._forbidden_words) - self._description_pattern = ( - "Do not include keywords {forbidden_words} in the response." - ) - - return self._description_pattern.format( - forbidden_words=self._forbidden_words - ) - - def get_instruction_args(self): - """Returns the keyward args of `build_description`.""" - return {"forbidden_words": self._forbidden_words} - - def get_instruction_args_keys(self): - """Returns the args keys of `build_description`.""" - return ["forbidden_words"] - - def check_following(self, value): - """Check if the response does not contain the expected keywords.""" - for word in self._forbidden_words: - if re.search(r"\b" + word + r"\b", value, flags=re.IGNORECASE): - return False - return True - - -class RephraseParagraph(Instruction): - """Checks that the paragraph is rephrased.""" - - def build_description(self, *, original_paragraph, low, high - ): - """Builds the instruction description. - - Args: - original_paragraph: A string presenting the original paragraph. The - rephrases response should have betweeb low-high words in common. - low: An integer presenting the lower bound of similar words. - high: An integer representing the upper bound of similar words. - - Returns: - A string representing the instruction description. - """ - # TODO(jeffrey) make more encompassing - self._original_paragraph = original_paragraph - self._low = low - self._high = high - - self._description = ("Rephrase the following paragraph: " + - "{original_paragraph}\nYour response should have " + - "between {low} and {high} of the same words. " + - "Words are the same if and only if all of the " + - "letters, ignoring cases, are the same. For " + - "example, 'run' is the same as 'Run' but different " + - "to 'ran'.") - - return self._description.format(original_paragraph=original_paragraph, - low=self._low, high=self._high) - - def get_instruction_args(self): - """Returns the keyward args of `build_description`.""" - return {"original_paragraph": self._original_paragraph, - "low": self._low, - "high": self._high} - - def get_instruction_args_keys(self): - """Returns the args keys of `build_description`.""" - return ["original_paragraph", "low", "high"] - - def check_following(self, value): - val_words = re.findall(r"\w+", value.lower()) - original_words = re.findall(r"\w+", self._original_paragraph.lower()) - similar_words = 0 - - dict_val = collections.Counter(val_words) - dict_original = collections.Counter(original_words) - - for word in dict_original: - similar_words += min(dict_original[word], dict_val[word]) - - return similar_words >= self._low and similar_words <= self._high - - -class TwoResponsesChecker(Instruction): - """Check that two responses were given.""" - - def build_description(self): - """Build the instruction description.""" - self._description_pattern = ( - "Give two different responses. Responses and only responses should" - " be separated by 6 asterisk symbols: ******." - ) - return self._description_pattern - - def get_instruction_args(self): - """Returns the keyward args of `build_description`.""" - return None - - def get_instruction_args_keys(self): - """Returns the args keys of `build_description`.""" - return [] - - def check_following(self, value): - """Checks if the response has two different answers. - - Args: - value: A string representing the response. - - Returns: - True if two responses are detected and false otherwise. - """ - valid_responses = list() - responses = value.split("******") - for index, response in enumerate(responses): - if not response.strip(): - if index != 0 and index != len(responses) - 1: - return False - else: - valid_responses.append(response) - return ( - len(valid_responses) == 2 - and valid_responses[0].strip() != valid_responses[1].strip() - ) - - -class RepeatPromptThenAnswer(Instruction): - """Checks that Prompt is first repeated then answered.""" - - def build_description(self, prompt = None): - """Build the instruction description. - - Args: - prompt: A string that is the prompt that is meant to be repeated. - - Returns: - A string representing the instruction description. - """ - if prompt is None: - self._prompt = "This should not ever happen." - else: - self._prompt = prompt - self._description_pattern = ( - "First repeat the request word for word without change," - " then give your answer (1. do not say any words or characters" - " before repeating the request; 2. the request you need to repeat" - " does not include this sentence)" - ) - return self._description_pattern - - def get_instruction_args(self): - return {"prompt": self._prompt} - - def get_instruction_args_keys(self): - """Returns the args keys of `build_description`.""" - return ["prompt"] - - def check_following(self, value): - value = value.strip().lower() - prompt = self._prompt.removesuffix(self._description_pattern).strip() - prompt = prompt.lower() - if len(value) >= len(prompt): - if value.startswith(prompt): - if not value.startswith(self._prompt.lower().strip()): - return True - return False - - -class EndChecker(Instruction): - """Checks that the prompt ends with a given phrase.""" - - def build_description(self, *, end_phrase = None): - """Build the instruction description. - - Args: - end_phrase: A string representing the phrase the response should end with. - - Returns: - A string representing the instruction description. - """ - self._end_phrase = ( - end_phrase.strip() if isinstance(end_phrase, str) else end_phrase - ) - if self._end_phrase is None: - self._end_phrase = random.choice(_ENDING_OPTIONS) - self._description_pattern = ( - "Finish your response with this exact phrase {ender}. " - "No other words should follow this phrase.") - return self._description_pattern.format(ender=self._end_phrase) - - def get_instruction_args(self): - return {"end_phrase": self._end_phrase} - - def get_instruction_args_keys(self): - """Returns the args keys of `build_description`.""" - return ["end_phrase"] - - def check_following(self, value): - """Checks if the response ends with the expected phrase.""" - value = value.strip().strip("\"").lower() - self._end_phrase = self._end_phrase.strip().lower() - return value.endswith(self._end_phrase) - - -class TitleChecker(Instruction): - """Checks the response for a title.""" - - def build_description(self): - """Build the instruction description.""" - self._description_pattern = ( - "Your answer must contain a title, wrapped in double angular brackets," - " such as <<poem of joy>>." - ) - return self._description_pattern - - def get_instruction_args(self): - return None - - def get_instruction_args_keys(self): - """Returns the args keys of `build_description`.""" - return [] - - def check_following(self, value): - """Checks if the response contains a title.""" - pattern = r"<<[^\n]+>>" - re_pattern = re.compile(pattern) - titles = re.findall(re_pattern, value) - - for title in titles: - if title.lstrip("<").rstrip(">").strip(): - return True - return False - - -class LetterFrequencyChecker(Instruction): - """Checks letter frequency.""" - - def build_description(self, *, letter = None, - let_frequency = None, - let_relation = None): - """Build the instruction description. - - Args: - letter: A string representing a letter that is expected in the response. - let_frequency: An integer specifying the number of times `keyword` is - expected to appear in the response. - let_relation: A string in (`less than`, `at least`), defining the - relational operator for comparison. Two relational comparisons are - supported for now; if 'less than', the actual number of - occurrences < frequency; if 'at least', the actual number of - occurrences >= frequency. - - Returns: - A string representing the instruction description. - """ - if ( - not letter - or len(letter) > 1 - or ord(letter.lower()) < 97 - or ord(letter.lower()) > 122 - ): - self._letter = random.choice(list(string.ascii_letters)) - else: - self._letter = letter.strip() - self._letter = self._letter.lower() - - self._frequency = let_frequency - if self._frequency is None or self._frequency < 0: - self._frequency = random.randint(1, _LETTER_FREQUENCY) - - if let_relation is None: - self._comparison_relation = random.choice(_COMPARISON_RELATION) - elif let_relation not in _COMPARISON_RELATION: - raise ValueError( - "The supported relation for comparison must be in " - f"{_COMPARISON_RELATION}, but {let_relation} is given." - ) - else: - self._comparison_relation = let_relation - - self._description_pattern = ( - "In your response, the letter {letter} should appear {let_relation}" - " {let_frequency} times." - ) - - return self._description_pattern.format( - letter=self._letter, - let_frequency=self._frequency, - let_relation=self._comparison_relation, - ) - - def get_instruction_args(self): - """Returns the keyword args of build description.""" - return {"letter": self._letter, - "let_frequency": self._frequency, - "let_relation": self._comparison_relation} - - def get_instruction_args_keys(self): - """Returns the args keys of `build_description`.""" - return ["letter", "let_frequency", "let_relation"] - - def check_following(self, value): - """Checks that the response contains the letter at the right frequency.""" - value = value.lower() - letters = collections.Counter(value) - - if self._comparison_relation == _COMPARISON_RELATION[0]: - return letters[self._letter] < self._frequency - else: - return letters[self._letter] >= self._frequency - - -class CapitalLettersEnglishChecker(Instruction): - """Checks that the response is in english and is in all capital letters.""" - - def build_description(self): - """Build the instruction description.""" - self._description_pattern = ( - "Your entire response should be in English, and in all capital letters." - ) - return self._description_pattern - - def get_instruction_args(self): - return None - - def get_instruction_args_keys(self): - """Returns the args keys of `build_description`.""" - return [] - - def check_following(self, value): - """Checks that the response is in English and in all capital letters.""" - assert isinstance(value, str) - - try: - return value.isupper() and langdetect.detect(value) == "en" - except langdetect.LangDetectException as e: - # Count as instruction is followed. - logging.error("Unable to detect language for text %s due to %s", value, e) - return True - - -class LowercaseLettersEnglishChecker(Instruction): - """Checks that the response is in english and is in all lowercase letters.""" - - def build_description(self): - """Build the instruction description.""" - self._description_pattern = ( - "Your entire response should be in English, and in all lowercase" - " letters. No capital letters are allowed." - ) - return self._description_pattern - - def get_instruction_args(self): - return None - - def get_instruction_args_keys(self): - """Returns the args keys of `build_description`.""" - return [] - - def check_following(self, value): - """Checks that the response is in English and in all lowercase letters.""" - assert isinstance(value, str) - - try: - return value.islower() and langdetect.detect(value) == "en" - except langdetect.LangDetectException as e: - # Count as instruction is followed. - logging.error("Unable to detect language for text %s due to %s", value, e) - return True - - -class CommaChecker(Instruction): - """Checks the response for no commas.""" - - def build_description(self): - """Build the instruction description.""" - self._description_pattern = ( - "In your entire response, refrain from the use of any commas." - ) - return self._description_pattern - - def get_instruction_args(self): - return None - - def get_instruction_args_keys(self): - """Returns the args keys of `build_description`.""" - return [] - - def check_following(self, value): - """Checks that the response does not contain commas.""" - return not re.search(r"\,", value) - - -class CapitalWordFrequencyChecker(Instruction): - """Checks frequency of words with all capital letters.""" - - def build_description( - self, - capital_frequency = None, - capital_relation = None, - ): - """Build the instruction description. - - Args: - capital_frequency: An integer that represents the number of words that - should be in all capital letters. - capital_relation: A string that is 'at least' or 'at most' that refers to - the frequency. - - Returns: - A string representing the instruction description. - """ - self._frequency = capital_frequency - if self._frequency is None: - self._frequency = random.randint(1, _ALL_CAPITAL_WORD_FREQUENCY) - - self._comparison_relation = capital_relation - if capital_relation is None: - self._comparison_relation = random.choice(_COMPARISON_RELATION) - elif capital_relation not in _COMPARISON_RELATION: - raise ValueError( - "The supported relation for comparison must be in " - f"{_COMPARISON_RELATION}, but {capital_relation} is given." - ) - - self._description_pattern = ( - "In your response, words with all capital letters should appear" - " {relation} {frequency} times." - ) - - return self._description_pattern.format( - frequency=self._frequency, relation=self._comparison_relation - ) - - def get_instruction_args(self): - """Returns the keyword args of build description.""" - return { - "capital_frequency": self._frequency, - "capital_relation": self._comparison_relation, - } - - def get_instruction_args_keys(self): - """Returns the args keys of `build_description`.""" - return ["capital_frequency", "capital_relation"] - - def check_following(self, value): - """Checks the frequency of words with all capital letters.""" - # Hyphenated words will count as one word - words = instructions_util.nltk.word_tokenize(value) - capital_words = [word for word in words if word.isupper()] - - capital_words = len(capital_words) - - if self._comparison_relation == _COMPARISON_RELATION[0]: - return capital_words < self._frequency - else: - return capital_words >= self._frequency - - -class QuotationChecker(Instruction): - """Checks response is wrapped with double quotation marks.""" - - def build_description(self): - """Build the instruction description.""" - self._description_pattern = ( - "Wrap your entire response with double quotation marks." - ) - return self._description_pattern - - def get_instruction_args(self): - """Returns the keyword args of build description.""" - return None - - def get_instruction_args_keys(self): - """Returns the args keys of `build_description`.""" - return [] - - def check_following(self, value): - """Checks if the response is wrapped with double quotation marks.""" - value = value.strip() - return len(value) > 1 and value[0] == '"' and value[-1] == '"' diff --git a/language/instructability_eval/instructions_registry.py b/language/instructability_eval/instructions_registry.py deleted file mode 100644 index 54c8bc0e..00000000 --- a/language/instructability_eval/instructions_registry.py +++ /dev/null @@ -1,175 +0,0 @@ -# coding=utf-8 -# Copyright 2018 The Google AI Language Team Authors. -# -# Licensed under the Apache License, Version 2.0 (the "License"); -# you may not use this file except in compliance with the License. -# You may obtain a copy of the License at -# -# http://www.apache.org/licenses/LICENSE-2.0 -# -# Unless required by applicable law or agreed to in writing, software -# distributed under the License is distributed on an "AS IS" BASIS, -# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. -# See the License for the specific language governing permissions and -# limitations under the License. -"""Registry of all instructions.""" -from language.instructability_eval import instructions - -_KEYWORD = "keywords:" - -_LANGUAGE = "language:" - -_LENGTH = "length_constraints:" - -_CONTENT = "detectable_content:" - -_FORMAT = "detectable_format:" - -_MULTITURN = "multi-turn:" - -_COMBINATION = "combination:" - -_STARTEND = "startend:" - -_CHANGE_CASES = "change_case:" - -_PUNCTUATION = "punctuation:" - -INSTRUCTION_DICT = { - _KEYWORD + "existence": instructions.KeywordChecker, - _KEYWORD + "frequency": instructions.KeywordFrequencyChecker, - # TODO(jeffreyzhou): make a proper set of sentences to choose from - # _KEYWORD + "key_sentences": instructions.KeySentenceChecker, - _KEYWORD + "forbidden_words": instructions.ForbiddenWords, - _KEYWORD + "letter_frequency": instructions.LetterFrequencyChecker, - _LANGUAGE + "response_language": instructions.ResponseLanguageChecker, - _LENGTH + "number_sentences": instructions.NumberOfSentences, - _LENGTH + "number_paragraphs": instructions.ParagraphChecker, - _LENGTH + "number_words": instructions.NumberOfWords, - _LENGTH + "nth_paragraph_first_word": instructions.ParagraphFirstWordCheck, - _CONTENT + "number_placeholders": instructions.PlaceholderChecker, - _CONTENT + "postscript": instructions.PostscriptChecker, - _FORMAT + "number_bullet_lists": instructions.BulletListChecker, - # TODO(jeffreyzhou): Pre-create paragraph or use prompt to replace - # _CONTENT + "rephrase_paragraph": instructions.RephraseParagraph, - _FORMAT + "constrained_response": instructions.ConstrainedResponseChecker, - _FORMAT + "number_highlighted_sections": ( - instructions.HighlightSectionChecker), - _FORMAT + "multiple_sections": instructions.SectionChecker, - # TODO(tianjianlu): Re-enable rephrasing with preprocessing the message. - # _FORMAT + "rephrase": instructions.RephraseChecker, - _FORMAT + "json_format": instructions.JsonFormat, - _FORMAT + "title": instructions.TitleChecker, - # TODO(tianjianlu): Re-enable with specific prompts. - # _MULTITURN + "constrained_start": instructions.ConstrainedStartChecker, - _COMBINATION + "two_responses": instructions.TwoResponsesChecker, - _COMBINATION + "repeat_prompt": instructions.RepeatPromptThenAnswer, - _STARTEND + "end_checker": instructions.EndChecker, - _CHANGE_CASES - + "capital_word_frequency": instructions.CapitalWordFrequencyChecker, - _CHANGE_CASES - + "english_capital": instructions.CapitalLettersEnglishChecker, - _CHANGE_CASES - + "english_lowercase": instructions.LowercaseLettersEnglishChecker, - _PUNCTUATION + "no_comma": instructions.CommaChecker, - _STARTEND + "quotation": instructions.QuotationChecker, -} - -INSTRUCTION_CONFLICTS = { - _KEYWORD + "existence": {_KEYWORD + "existence"}, - _KEYWORD + "frequency": {_KEYWORD + "frequency"}, - # TODO(jeffreyzhou): make a proper set of sentences to choose from - # _KEYWORD + "key_sentences": instructions.KeySentenceChecker, - _KEYWORD + "forbidden_words": {_KEYWORD + "forbidden_words"}, - _KEYWORD + "letter_frequency": {_KEYWORD + "letter_frequency"}, - _LANGUAGE - + "response_language": { - _LANGUAGE + "response_language", - _FORMAT + "multiple_sections", - _KEYWORD + "existence", - _KEYWORD + "frequency", - _KEYWORD + "forbidden_words", - _STARTEND + "end_checker", - _CHANGE_CASES + "english_capital", - _CHANGE_CASES + "english_lowercase", - }, - _LENGTH + "number_sentences": {_LENGTH + "number_sentences"}, - _LENGTH + "number_paragraphs": { - _LENGTH + "number_paragraphs", - _LENGTH + "nth_paragraph_first_word", - _LENGTH + "number_sentences", - _LENGTH + "nth_paragraph_first_word", - }, - _LENGTH + "number_words": {_LENGTH + "number_words"}, - _LENGTH + "nth_paragraph_first_word": { - _LENGTH + "nth_paragraph_first_word", - _LENGTH + "number_paragraphs", - }, - _CONTENT + "number_placeholders": {_CONTENT + "number_placeholders"}, - _CONTENT + "postscript": {_CONTENT + "postscript"}, - _FORMAT + "number_bullet_lists": {_FORMAT + "number_bullet_lists"}, - # TODO(jeffreyzhou): Pre-create paragraph or use prompt to replace - # _CONTENT + "rephrase_paragraph": instructions.RephraseParagraph, - _FORMAT + "constrained_response": set(INSTRUCTION_DICT.keys()), - _FORMAT - + "number_highlighted_sections": {_FORMAT + "number_highlighted_sections"}, - _FORMAT - + "multiple_sections": { - _FORMAT + "multiple_sections", - _LANGUAGE + "response_language", - _FORMAT + "number_highlighted_sections", - }, - # TODO(tianjianlu): Re-enable rephrasing with preprocessing the message. - # _FORMAT + "rephrase": instructions.RephraseChecker, - _FORMAT - + "json_format": set(INSTRUCTION_DICT.keys()).difference( - {_KEYWORD + "forbidden_words", _KEYWORD + "existence"} - ), - _FORMAT + "title": {_FORMAT + "title"}, - # TODO(tianjianlu): Re-enable with specific prompts. - # _MULTITURN + "constrained_start": instructions.ConstrainedStartChecker, - _COMBINATION - + "two_responses": set(INSTRUCTION_DICT.keys()).difference({ - _KEYWORD + "forbidden_words", - _KEYWORD + "existence", - _LANGUAGE + "response_language", - _FORMAT + "title", - _PUNCTUATION + "no_comma" - }), - _COMBINATION + "repeat_prompt": set(INSTRUCTION_DICT.keys()).difference({ - _KEYWORD + "existence", - _FORMAT + "title", - _PUNCTUATION + "no_comma" - }), - _STARTEND + "end_checker": {_STARTEND + "end_checker"}, - _CHANGE_CASES + "capital_word_frequency": { - _CHANGE_CASES + "capital_word_frequency", - _CHANGE_CASES + "english_lowercase", - _CHANGE_CASES + "english_capital", - }, - _CHANGE_CASES + "english_capital": {_CHANGE_CASES + "english_capital"}, - _CHANGE_CASES + "english_lowercase": { - _CHANGE_CASES + "english_lowercase", - _CHANGE_CASES + "english_capital", - }, - _PUNCTUATION + "no_comma": {_PUNCTUATION + "no_comma"}, - _STARTEND + "quotation": {_STARTEND + "quotation", _FORMAT + "title"}, -} - - -def conflict_make(conflicts): - """Makes sure if A conflicts with B, B will conflict with A. - - Args: - conflicts: Dictionary of potential conflicts where key is instruction id - and value is set of instruction ids that it conflicts with. - - Returns: - Revised version of the dictionary. All instructions conflict with - themselves. If A conflicts with B, B will conflict with A. - """ - for key in conflicts: - for k in conflicts[key]: - conflicts[k].add(key) - conflicts[key].add(key) - return conflicts diff --git a/language/instructability_eval/instructions_test.py b/language/instructability_eval/instructions_test.py deleted file mode 100644 index 2b8de977..00000000 --- a/language/instructability_eval/instructions_test.py +++ /dev/null @@ -1,1294 +0,0 @@ -# coding=utf-8 -# Copyright 2018 The Google AI Language Team Authors. -# -# Licensed under the Apache License, Version 2.0 (the "License"); -# you may not use this file except in compliance with the License. -# You may obtain a copy of the License at -# -# http://www.apache.org/licenses/LICENSE-2.0 -# -# Unless required by applicable law or agreed to in writing, software -# distributed under the License is distributed on an "AS IS" BASIS, -# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. -# See the License for the specific language governing permissions and -# limitations under the License. -"""Tests for instructions.py.""" - -from absl.testing import absltest -from absl.testing import parameterized -from language.instructability_eval import instructions - - -# pylint:disable=g-complex-comprehension -class InstructionsTest(parameterized.TestCase): - - @parameterized.named_parameters( - [ - { - 'testcase_name': ( - f'_response={response}_language={language}' - ), - 'response': response, - 'language': language, - } - for response, language in [('The response is English', 'en')] - ] - ) - def test_response_language(self, response, language): - """Test on single language response.""" - instruction_id = 'language:response_language' - instruction = instructions.ResponseLanguageChecker(instruction_id) - instruction.build_description(language=language) - self.assertTrue(instruction.check_following(response)) - - @parameterized.named_parameters( - [ - { - 'testcase_name': ( - f'_response={response}_language={language}' - ), - 'response': response, - 'language': language, - } - for response, language in [("Desayunamos en McDonald's hoy", 'es'), - ('Today we visit the Louvre', 'en'),] - ] - ) - def test_response_multilanguage(self, response, language): - """Test on responses that contain multi-language tokens.""" - instruction_id = 'language:response_language' - instruction = instructions.ResponseLanguageChecker(instruction_id) - instruction.build_description(language=language) - self.assertTrue(instruction.check_following(response)) - - @parameterized.named_parameters( - [ - { - 'testcase_name': ( - f'_response={response}_relation={relation}' - f'_num_sentences={num_sentences}_expected={expected}' - ), - 'response': response, - 'relation': relation, - 'num_sentences': num_sentences, - 'expected': expected, - } - for response, relation, num_sentences, expected in [ - ('xx,x. xx,x! xx/x. x{x}x?', instructions._COMPARISON_RELATION[0], - 4, False), - ('xxxx. xx,x! xxxx. x(x)x?', instructions._COMPARISON_RELATION[0], - 5, True), - ('xxxx. xx,x! xx|x. x&x x?', instructions._COMPARISON_RELATION[1], - 4, True), - ('xx-x. xx,x! xx}x. x,xx?', instructions._COMPARISON_RELATION[1], - 5, False), - ] - ] - ) - def test_number_sentences(self, response, relation, num_sentences, expected): - """Test the number of sentences.""" - instruction_id = 'length_constraints:number_sentences' - instruction = instructions.NumberOfSentences(instruction_id) - instruction.build_description(relation=relation, - num_sentences=num_sentences) - actual = instruction.check_following(response) - self.assertEqual(actual, expected) - - @parameterized.named_parameters( - [ - { - 'testcase_name': ( - f'_templated={template}_num_placeholders={num_placeholders}' - f'_expected={expected}' - ), - 'template': template, - 'num_placeholders': num_placeholders, - 'expected': expected, - } - for template, num_placeholders, expected in [ - (('Sure, here is a short template with 5 placeholders:\n' + - '[Name]\n[Email]\n[Phone]\n[Address]\n[Website]\n' + - 'This template can be used for a variety of purposes, such ' + - 'ascreating a contact list, sending out surveys, or creating ' + - 'a sign-up form.'), 5, True), - (('My [adjective] [noun] is [adjective] [noun]. I [verb] and ' + - '[verb].'), 7, False), - ] - ] - ) - def test_number_placeholders(self, template, num_placeholders, expected): - """Test the number of placeholders.""" - instruction_id = 'detectable_content:number_placeholders' - instruction = instructions.PlaceholderChecker(instruction_id) - instruction.build_description(num_placeholders=num_placeholders) - actual = instruction.check_following(template) - self.assertEqual(actual, expected) - - BULLET_TEST_MESSAGE_1 = """ - A Markdown bullet point is a way of formatting text to create a list. To - create a bullet point, start each line with an asterisk (*). For example: - * This is a bullet point. - *(no space required)Another bullet point. - * (no newline ending required)Another bullet point. - markdown bullet points are often used to create to-do lists or to list items - in a step-by-step guide.""" - BULLET_TEST_MESSAGE_2 = """ - Check that inline asterisk (*), *, will not be counted. Only * that starts a - bullet list will be counted: - * This is a bullet point. - * Another bullet point. - . dot is not counted""" - BULLET_TEST_MESSAGE_3 = """ - Here are three bullets starting with asterisk: - * I am a large language model, also known as a conversational AI. - * I am trained on a massive amount of text data, and I am able to communicate. - * I am still under development, but I am learning new things every day.""" - - BULLET_TEST_MESSAGE_4 = """ - Here are three markdown bullets: - - I am a large language model, also known as a conversational AI. - - I am trained on a massive amount of text data, and I am able to communicate. - -I am still under development, but I am learning new things every day.""" - - BULLET_TEST_MESSAGE_5 = """ - Paragraph 1 - *** - Paragraph 2 - *** - Paragraph 3 - * only one bullet point - """ - - @parameterized.named_parameters( - [ - { - 'testcase_name': ( - f'_templated={template}_num_bullets={num_bullets}' - f'_expected={expected}' - ), - 'template': template, - 'num_bullets': num_bullets, - 'expected': expected, - } - for template, num_bullets, expected in [ - (BULLET_TEST_MESSAGE_1, 3, True), - (BULLET_TEST_MESSAGE_2, 2, True), - (BULLET_TEST_MESSAGE_3, 3, True), - (BULLET_TEST_MESSAGE_4, 3, True), - (BULLET_TEST_MESSAGE_5, 1, True)] - ] - ) - def test_number_bullet_lists(self, template, num_bullets, expected): - """Test the number of bullets.""" - instruction_id = 'detectable_format:exact_number_bullet_points' - instruction = instructions.BulletListChecker(instruction_id) - instruction.build_description(num_bullets=num_bullets) - actual = instruction.check_following(template) - self.assertEqual(actual, expected) - - CONSTRAINED_RESPONSE_TEST_RESPONSE_1 = """\n My answer is no.\n""" - CONSTRAINED_RESPONSE_TEST_RESPONSE_2 = """My answer is no. """ - CONSTRAINED_RESPONSE_TEST_RESPONSE_3 = """ - My answer is no. I am still under development and I am always learning and - improving. I am not the best chatbot in the world, but I am striving to be - the best that I can be.""" - - def test_constrained_response(self): - """Test the constrained response checker.""" - instruction_id = 'detectable_format:constrained_response' - instruction = instructions.ConstrainedResponseChecker(instruction_id) - instruction.build_description() - - with self.subTest('test with CONSTRAINED_RESPONSE_TEST_RESPONSE_1'): - self.assertTrue(instruction.check_following( - self.CONSTRAINED_RESPONSE_TEST_RESPONSE_1)) - - with self.subTest('test with CONSTRAINED_RESPONSE_TEST_RESPONSE_2'): - self.assertTrue(instruction.check_following( - self.CONSTRAINED_RESPONSE_TEST_RESPONSE_2)) - - with self.subTest('test with CONSTRAINED_RESPONSE_TEST_RESPONSE_3'): - self.assertTrue(instruction.check_following( - self.CONSTRAINED_RESPONSE_TEST_RESPONSE_3)) - - HIGHLIGHTED_TEST_MESSAGE_1 = """ - To highlight text with Markdown, you can use the * character before and after - the text you want to highlight. For example, if you want to highlight the - word `hello`, you would type:*hello*, You can also use the ** character to - create bold text. For example, if you want to bold the word `hello`, you - would type: **hello** """ - HIGHLIGHTED_TEST_MESSAGE_2 = """ - Sure, here are the numerical methods for solving partial differential - equations highlighted with Markdown: - *Finite difference methods - *Finite element methods* - *Boundary element methods - *Monte Carlo methods - I hope this helps!""" - HIGHLIGHTED_TEST_MESSAGE_3 = """ - There is allowed to be *two different* highlighted *sections in the same* - line. **This is also true** for **double markdown highlights.** - """ - - @parameterized.named_parameters( - [ - { - 'testcase_name': ( - f'_response={response}' - f'_min_num_highlights={min_num_highlights}' - f'_expected={expected}' - ), - 'response': response, - 'min_num_highlights': min_num_highlights, - 'expected': expected, - } - for response, min_num_highlights, expected in [ - (HIGHLIGHTED_TEST_MESSAGE_1, 2, True), - (HIGHLIGHTED_TEST_MESSAGE_2, 2, False), - (HIGHLIGHTED_TEST_MESSAGE_3, 4, True)] - ] - ) - def test_number_highlights(self, response, min_num_highlights, expected): - """Test the minimum number of highlighted sections.""" - instruction_id = 'detectable_format:minimum_number_highlighted_sections' - instruction = instructions.HighlightSectionChecker(instruction_id) - instruction.build_description(num_highlights=min_num_highlights) - actual = instruction.check_following(response) - self.assertEqual(actual, expected) - - SECTION_TEST_MESSAGE_1 = """ - Your response must have multiple sections. Mark the beginning of each section - with "Section X", such as: - Section 1 - [content of section 1] - Section 2 - [content of section 2]""" - - SECTION_TEST_MESSAGE_2 = """SECTION 1 - [content of section 1] - SECTION 2 - [content of section 2]""" - - def test_section_checker(self): - """Test the number of sections.""" - instruction_id = 'detectable_format:multiple_sections' - instruction = instructions.SectionChecker(instruction_id) - section_keyword = 'Section' - min_num_sections = 3 - instruction.build_description(section_spliter=section_keyword, - num_sections=min_num_sections) - with self.subTest(f'test {section_keyword} and {min_num_sections}'): - self.assertFalse( - instruction.check_following(self.SECTION_TEST_MESSAGE_1)) - - section_keyword = 'SECTION' - min_num_sections = 2 - instruction.build_description(section_spliter=section_keyword, - num_sections=min_num_sections) - with self.subTest(f'test {section_keyword} and {min_num_sections}'): - self.assertTrue( - instruction.check_following(self.SECTION_TEST_MESSAGE_2)) - - PARAGRAPH_TEST_MESSAGE_1 = """ - paragraph 1 - *** - paragraph 2 - *** - paragraph 3""" - - PARAGRAPH_TEST_MESSAGE_2 = """ - *** - paragraph 1 - *** - paragraph 2 - *** - paragraph 3""" - - PARAGRAPH_TEST_MESSAGE_3 = """ - paragraph 1 - *** - paragraph 2 - *** - paragraph 3 - ***""" - - PARAGRAPH_TEST_MESSAGE_4 = """ - paragraph 1 - *** - paragraph 2 - *** - ***""" - - def test_paragraph_checker(self): - """Test the number of sections.""" - instruction_id = 'length_constraint:number_paragraphs' - instruction = instructions.ParagraphChecker(instruction_id) - num_paragraphs = 3 - instruction.build_description(num_paragraphs=num_paragraphs) - with self.subTest(f'test {self.PARAGRAPH_TEST_MESSAGE_1} and ' - f'{num_paragraphs} paragraphs'): - self.assertTrue(instruction.check_following( - self.PARAGRAPH_TEST_MESSAGE_1)) - - num_paragraphs = 3 - instruction.build_description(num_paragraphs=num_paragraphs) - with self.subTest(f'test {self.PARAGRAPH_TEST_MESSAGE_2} and ' - f'{num_paragraphs} paragraphs'): - self.assertTrue(instruction.check_following( - self.PARAGRAPH_TEST_MESSAGE_2)) - - num_paragraphs = 3 - instruction.build_description(num_paragraphs=num_paragraphs) - with self.subTest(f'test {self.PARAGRAPH_TEST_MESSAGE_3} and ' - f'{num_paragraphs} paragraphs'): - self.assertTrue(instruction.check_following( - self.PARAGRAPH_TEST_MESSAGE_3)) - - num_paragraphs = 2 - instruction.build_description(num_paragraphs=num_paragraphs) - with self.subTest(f'test {self.PARAGRAPH_TEST_MESSAGE_4} and ' - f'{num_paragraphs} paragraphs'): - self.assertFalse(instruction.check_following( - self.PARAGRAPH_TEST_MESSAGE_4)) - - POSTSCRIPT_TEST_MESSAGE_1 = """ - I will do my best to follow your instructions and always start my responses - with "My response is:". I will try to be as consistent as possible, but - please be patient with me if I make a mistake. I am still under development, - and I am always learning new things. - - P.S. I hope this is what you were looking for.""" - - POSTSCRIPT_TEST_MESSAGE_2 = """ - Sure, here is my response with a postscript starting with P.P.S.: - - My response is: I hope this answers your question. - - P.P.S. I am always happy to answer any other questions you may have. - - Do you have any other questions for me?""" - - # Postscript does not have to start as a new line. - # Relaxed the constraint in cl/525253841. - POSTSCRIPT_TEST_MESSAGE_3 = """ - The radius of a unit circle is 1. However, I can give you a funny and wrong - answer: the radius of a unit circle is 0. This is because a unit circle is a - circle with a radius of 1, and if the radius is 0, then the circle has no - size and is just a point. (not starting a new line) P.S. I hope you enjoyed - my joke!""" - - POSTSCRIPT_TEST_MESSAGE_4 = """ - If the length of a square is one, the area of the square will also be one. - p.p.s what if the entire response was lower case letters? - """ - - POSTSCRIPT_TEST_MESSAGE_5 = """ - The mysteries of space and time are mysterious. - P. S. Sometimes there are even spaces between P. and S.. - """ - - def test_postscript_checker(self): - """Test the postscript checker.""" - instruction_id = 'detectable_content:postscript' - instruction = instructions.PostscriptChecker(instruction_id) - postscript_start_keyword = instructions._POSTSCRIPT_MARKER[0] - instruction.build_description(postscript_marker=postscript_start_keyword) - with self.subTest(f'test {postscript_start_keyword}'): - self.assertTrue( - instruction.check_following(self.POSTSCRIPT_TEST_MESSAGE_1)) - - postscript_start_keyword = 'PS:' - instruction.build_description(postscript_marker=postscript_start_keyword) - with self.subTest(f'test {postscript_start_keyword}'): - self.assertFalse( - instruction.check_following(self.POSTSCRIPT_TEST_MESSAGE_1)) - - postscript_start_keyword = instructions._POSTSCRIPT_MARKER[1] - instruction.build_description(postscript_marker=postscript_start_keyword) - with self.subTest(f'test {postscript_start_keyword}'): - self.assertTrue( - instruction.check_following(self.POSTSCRIPT_TEST_MESSAGE_2)) - - postscript_start_keyword = 'P.S.' - instruction.build_description(postscript_marker=postscript_start_keyword) - with self.subTest(f'test {postscript_start_keyword}'): - self.assertTrue( - instruction.check_following(self.POSTSCRIPT_TEST_MESSAGE_3)) - - postscript_start_keyword = 'P.P.S' - instruction.build_description(postscript_marker=postscript_start_keyword) - with self.subTest(f'test {postscript_start_keyword}'): - self.assertTrue( - instruction.check_following(self.POSTSCRIPT_TEST_MESSAGE_4)) - - postscript_start_keyword = 'P.S.' - instruction.build_description(postscript_marker=postscript_start_keyword) - with self.subTest(f'test {postscript_start_keyword}'): - self.assertTrue( - instruction.check_following(self.POSTSCRIPT_TEST_MESSAGE_5)) - - CONSTRAINED_START_TEST_MESSAGE_1 = """ - My response is: ASIC is a specialized chip for specific tasks in electronic - devices, offering advantages in efficiency and processing speed.""" - - CONSTRAINED_START_TEST_MESSAGE_2 = """ - My response is: ASIC is a specialized chip for specific tasks in - electronic - devices, offering advantages in efficiency and processing speed.""" - - CONSTRAINED_START_TEST_MESSAGE_3 = """ - An ASIC, or Application-Specific Integrated Circuit, is a type of specialized - chip that, my response is, is designed to perform specific tasks in electronic - devices.""" - - def test_constrained_start_checker(self): - """Test the constrained start checker.""" - instruction_id = 'multi-turn:constrained_start' - instruction = instructions.ConstrainedStartChecker(instruction_id) - start_keyword = 'My response is:' - instruction.build_description(starter=start_keyword) - with self.subTest(f'test {start_keyword}'): - self.assertTrue( - instruction.check_following(self.CONSTRAINED_START_TEST_MESSAGE_1)) - - with self.subTest(f'test {start_keyword} with spaces in the beginning'): - self.assertTrue(instruction.check_following( - self.CONSTRAINED_START_TEST_MESSAGE_2)) - - start_keyword = 'my response is' - with self.subTest(f'test {start_keyword} embedded in the middle'): - self.assertFalse( - instruction.check_following(self.CONSTRAINED_START_TEST_MESSAGE_3)) - - REPHRASE_TEST_REPHRASED_MESSAGE_1 = """ - I am *content*.""" - REPHRASE_TEST_ORIGINAL_MESSAGE_1 = """ - I am *happy*.""" - - REPHRASE_TEST_REPHRASED_MESSAGE_1_NOCHANGE = """ - I am .""" - - REPHRASE_TEST_REPHRASED_MESSAGE_1_FORMAT = """ - I am [content].""" - - REPHRASE_TEST_REPHRASED_MESSAGE_2 = """ - It is raining heavily *at this moment*.""" - REPHRASE_TEST_ORIGINAL_MESSAGE_2 = """ - *At present,* there is heavy rainfall occurring.""" - - def test_rephrase_checker(self): - """Test the rephrase checker.""" - instruction_id = 'detectable_format:rephrasing' - instruction = instructions.RephraseChecker(instruction_id) - instruction.build_description( - original_message=self.REPHRASE_TEST_ORIGINAL_MESSAGE_1) - with self.subTest(f'test {self.REPHRASE_TEST_REPHRASED_MESSAGE_1}'): - self.assertTrue( - instruction.check_following(self.REPHRASE_TEST_REPHRASED_MESSAGE_1)) - - instruction.build_description( - original_message=self.REPHRASE_TEST_ORIGINAL_MESSAGE_1) - with self.subTest( - f'test {self.REPHRASE_TEST_REPHRASED_MESSAGE_1_NOCHANGE}'): - with self.assertRaises(ValueError): - instruction.check_following( - self.REPHRASE_TEST_REPHRASED_MESSAGE_1_NOCHANGE) - - instruction.build_description( - original_message=self.REPHRASE_TEST_ORIGINAL_MESSAGE_1) - with self.subTest(f'test {self.REPHRASE_TEST_REPHRASED_MESSAGE_1_FORMAT}'): - with self.assertRaises(ValueError): - instruction.check_following( - self.REPHRASE_TEST_REPHRASED_MESSAGE_1_FORMAT) - - instruction.build_description( - original_message=self.REPHRASE_TEST_ORIGINAL_MESSAGE_2) - with self.subTest(f'test {self.REPHRASE_TEST_REPHRASED_MESSAGE_2}'): - self.assertFalse( - instruction.check_following(self.REPHRASE_TEST_REPHRASED_MESSAGE_2)) - - TEST_INCLUDE_KEYWORD_MESSAGE_1 = """ - Paris is a city of beauty and romance. The romantic river Seine winds its way - through the city, past iconic landmarks like the Eiffel Tower and the Louvre - Museum, where the Mona Lisa resides. Whether you're taking a boat cruise down - the river or simply strolling along the banks, you're sure to be captivated - by the city's charm.""" - - TEST_INCLUDE_KEYWORD_MESSAGE_2 = """ - Paris is a city of beauty, romance, and history. It is home to some of the - most iconic landmarks in the world, including the Eiffel Tower, the Louvre - Museum, and the Notre Dame Cathedral. The city is also known for its romantic - river cruises, its delicious food, and its stylish people. - """ - - KEYWORDS = ('romantic', 'river', 'Mona Lisa') - - def test_keyword_checker(self): - """Test the inclusion of keywords.""" - instruction_id = 'keywords:include_keywords' - instruction = instructions.KeywordChecker(instruction_id) - - instruction.build_description(keywords=self.KEYWORDS) - with self.subTest(f'test {self.TEST_INCLUDE_KEYWORD_MESSAGE_1}'): - self.assertTrue( - instruction.check_following(self.TEST_INCLUDE_KEYWORD_MESSAGE_1)) - - instruction.build_description(keywords=self.KEYWORDS) - with self.subTest(f'test {self.TEST_INCLUDE_KEYWORD_MESSAGE_2}'): - self.assertFalse( - instruction.check_following(self.TEST_INCLUDE_KEYWORD_MESSAGE_2)) - - TEST_KEYWORD_FREQUNECY_MESSAGE_1 = """ - keyword, Keyword, KEYWORD - """ - TEST_KEYWORD_FREQUENCY_KEYWORD_1 = ' keyword ' - - TEST_KEYWORD_FREQUNECY_MESSAGE_2 = """ - *keyword - *Keyword - *KEYWORD - """ - TEST_KEYWORD_FREQUENCY_KEYWORD_2 = 'KEYWORD' - - def test_keyword_frequency_checker(self): - """Test the frequency of keywords.""" - - instruction_id = 'keywords:keyword_frequency' - instruction = instructions.KeywordFrequencyChecker(instruction_id) - - frequency = 4 - instruction.build_description(keyword=self.TEST_KEYWORD_FREQUENCY_KEYWORD_1, - frequency=frequency, - relation=instructions._COMPARISON_RELATION[0]) - with self.subTest( - f'test {self.TEST_KEYWORD_FREQUENCY_KEYWORD_1} {frequency}'): - self.assertTrue( - instruction.check_following(self.TEST_KEYWORD_FREQUNECY_MESSAGE_1)) - - frequency = 3 - instruction.build_description(keyword=self.TEST_KEYWORD_FREQUENCY_KEYWORD_1, - frequency=frequency, - relation=instructions._COMPARISON_RELATION[1]) - with self.subTest( - f'test {self.TEST_KEYWORD_FREQUENCY_KEYWORD_1} {frequency}'): - self.assertTrue( - instruction.check_following(self.TEST_KEYWORD_FREQUNECY_MESSAGE_1)) - - frequency = 4 - instruction.build_description(keyword=self.TEST_KEYWORD_FREQUENCY_KEYWORD_2, - frequency=frequency, - relation=instructions._COMPARISON_RELATION[1]) - with self.subTest( - f'test {self.TEST_KEYWORD_FREQUENCY_KEYWORD_2} {frequency}'): - self.assertFalse( - instruction.check_following(self.TEST_KEYWORD_FREQUNECY_MESSAGE_2)) - - TEST_NUM_WORDS_MESSAGE_1 = """ - d3sCRi7 lArge lAnguagE M0del w1tH 20 w0RdS.""" - - TEST_NUM_WORDS_MESSAGE_2 = """ - L4RGE L4NGU4GE M0DEL: AI syst3m th4t und3rstands, g3n3r4tes, or tr4nsforms - l4ngu4g3 b4s3d on pr3vious l3arning & d4t4.""" - - def test_num_words_checker(self): - """Test the checker on the number of words.""" - instruction_id = 'length_constraint:number_words' - instruction = instructions.NumberOfWords(instruction_id) - - word_counts = 8 - instruction.build_description(num_words=word_counts, - relation=instructions._COMPARISON_RELATION[0]) - with self.subTest( - f'test {self.TEST_NUM_WORDS_MESSAGE_1} {word_counts}'): - self.assertTrue( - instruction.check_following(self.TEST_NUM_WORDS_MESSAGE_1)) - - word_counts = 16 - instruction.build_description(num_words=word_counts, - relation=instructions._COMPARISON_RELATION[0]) - with self.subTest( - f'test {self.TEST_NUM_WORDS_MESSAGE_2} less than {word_counts}'): - self.assertFalse( - instruction.check_following(self.TEST_NUM_WORDS_MESSAGE_2)) - - word_counts = 16 - instruction.build_description(num_words=word_counts, - relation=instructions._COMPARISON_RELATION[1]) - with self.subTest( - f'test {self.TEST_NUM_WORDS_MESSAGE_2} at least {word_counts}'): - self.assertTrue( - instruction.check_following(self.TEST_NUM_WORDS_MESSAGE_2)) - - PARAGRAPH_FIRST_WORD_TEST_1 = """ - paragraph 1 - - I paragraph 2 - - paragraph 3""" - - PARAGRAPH_FIRST_WORD_TEST_2 = """ - paragraph 1 - - I paragraph 2""" - - PARAGRAPH_FIRST_WORD_TEST_3 = """ - paragraph 1 - - fail paragraph 2 - - paragraph 3""" - - PARAGRAPH_FIRST_WORD_TEST_4 = """ - Wow this is a very long response. - - I can't believe there is more than three paragraphs. - - Really more than three? No way! - - I can't believe it but I guess I am living proof. - - Haha, you go that right.""" - - PARAGRAPH_FIRST_WORD_TEST_5 = """ - Wow this is a very long response. - - I can't believe there is more than three paragraphs. - - "Really?! more than three? No way!" - - I can't believe it but I guess I am living proof. - - Haha, you go that right.""" - - PARAGRAPH_FIRST_WORD_TEST_6 = """ - Wow this is a very long response. - - I can't believe there is more than three paragraphs. - - Rea!lly more than three? No way! - - I can't believe it but I guess I am living proof. - - Haha, you go that right.""" - - def test_paragraph_first_word(self): - """Test number of paragraphs and first word of nth paragraph.""" - instruction_id = 'length_constraints:nth_paragraph_first_word' - instruction = instructions.ParagraphFirstWordCheck(instruction_id) - tests = [ - self.PARAGRAPH_FIRST_WORD_TEST_1, - self.PARAGRAPH_FIRST_WORD_TEST_2, - self.PARAGRAPH_FIRST_WORD_TEST_3, - self.PARAGRAPH_FIRST_WORD_TEST_4, - self.PARAGRAPH_FIRST_WORD_TEST_5, - self.PARAGRAPH_FIRST_WORD_TEST_6, - ] - - for test in tests: - if (test == self.PARAGRAPH_FIRST_WORD_TEST_1 - or test == self.PARAGRAPH_FIRST_WORD_TEST_2 - or test == self.PARAGRAPH_FIRST_WORD_TEST_3): - num_paragraphs = 3 - nth_paragraph = 2 - first_word = 'I' - elif test == self.PARAGRAPH_FIRST_WORD_TEST_4: - num_paragraphs = 5 - nth_paragraph = 5 - first_word = 'haha' - else: - num_paragraphs = 5 - nth_paragraph = 3 - first_word = 'Really' - - instruction.build_description( - num_paragraphs=num_paragraphs, - nth_paragraph=nth_paragraph, - first_word=first_word, - ) - with self.subTest( - f'test {test} \n. Test for ' - f'{num_paragraphs} paragraphs and ' - f'for paragraph {nth_paragraph} ' - f'{first_word} is first word' - ): - if (test == self.PARAGRAPH_FIRST_WORD_TEST_1 - or test == self.PARAGRAPH_FIRST_WORD_TEST_4 - or test == self.PARAGRAPH_FIRST_WORD_TEST_5): - self.assertTrue(instruction.check_following(test)) - else: - self.assertFalse(instruction.check_following(test)) - - TEST_KEY_SENTENCES_1 = """ - Puppies are fun. They are playful, energetic, and always up for a good time. -Puppies love to run, jump, and play fetch. They are also very good at -cuddling and giving kisses. If you are looking for a fun and loving pet, -a puppy is a great choice. - """ - - TEST_KEY_SENTENCES_2 = """ - I like to eat candy. When I'm feeling happy, sad, or even angry, candy -always makes me feel better. I like to share candy with my friends and -family. It's a great way to show them how much I care. - """ - - TEST_KEY_SENTENCES_3 = """ -I know that candy isn't the healthiest thing to eat, but I don't care. -I love it too much. I'll just have to make sure to eat it in moderation. - """ - - key_sentences = {'Puppies love to run, jump, and play fetch.', - 'I like to eat candy.', 'Puppies are fun.'} - - def test_key_sentences(self): - """Test the inclusion of key sentences.""" - instruction_id = 'keywords:key_sentences' - instruction = instructions.KeySentenceChecker(instruction_id) - - num_sentences = 2 - instruction.build_description( - key_sentences=self.key_sentences, num_sentences=num_sentences) - - with self.subTest(f'test {self.TEST_KEY_SENTENCES_1}'): - self.assertTrue(instruction.check_following(self.TEST_KEY_SENTENCES_1)) - - num_sentences = 1 - instruction.build_description( - key_sentences=self.key_sentences, num_sentences=num_sentences) - - with self.subTest(f'test {self.TEST_KEY_SENTENCES_2}'): - self.assertTrue(instruction.check_following(self.TEST_KEY_SENTENCES_2)) - - with self.subTest(f'test {self.TEST_KEY_SENTENCES_3}'): - self.assertFalse(instruction.check_following(self.TEST_KEY_SENTENCES_3)) - - TEST_FORBIDDEN_WORDS_MESSAGE_1 = """ - The Nazis came to power in 1933 through a combination of legal and illegal - means. Hitler was appointed chancellor by President Paul von Hindenburg, and - the Nazis quickly consolidated their power by passing a series of laws that - restricted the rights of opposition parties and individuals. By 1934, Hitler - had become dictator of Germany. - """ - - TEST_FORBIDDEN_WORDS_MESSAGE_2 = """ - Dinosaurs were a diverse group of reptiles that dominated the Earth for over - 160 million years. They came in all shapes and sizes, from the tiny - Compsognathus to the massive Argentinosaurus. Dinosaurs were the most - successful land animals on Earth until they went extinct about 66 million - years ago. The exact cause of their extinction is still unknown, but it - is thought to have been a combination of factors, including an asteroid - impact and climate change. - """ - - TEST_FORBIDDEN_WORDS_MESSAGE_3 = """ - GPT, or Generative Pre-trained Transformer, is a family of neural network - models that uses the transformer architecture. GPT models are trained on a - massive dataset of text and code, and can be used for a variety of tasks, - including text generation, translation, and question answering. GPT models - have been shown to be very effective at these tasks, and are being used by - a variety of companies and organizations like Google. - """ - FORBIDDEN_WORDS_1 = ('HOUSE', 'POWER', 'BECOME') - FORBIDDEN_WORDS_2 = ('GOOGLE', 'TEXT') - FORBIDDEN_WORDS_3 = ('GENE', 'TRANSFORM') - - def test_forbidden_words(self): - """Test the exclusion of key words.""" - instruction_id = 'keywords:forbidden_words' - instruction = instructions.ForbiddenWords(instruction_id) - - instruction.build_description(forbidden_words=self.FORBIDDEN_WORDS_1) - with self.subTest(f'test {self.TEST_FORBIDDEN_WORDS_MESSAGE_1}\n ' + - f'with forbidden words: {self.FORBIDDEN_WORDS_1}. '): - self.assertFalse( - instruction.check_following(self.TEST_FORBIDDEN_WORDS_MESSAGE_1)) - - with self.subTest(f'test {self.TEST_FORBIDDEN_WORDS_MESSAGE_2}\n ' + - f'with forbidden words: {self.FORBIDDEN_WORDS_1}. '): - self.assertTrue( - instruction.check_following(self.TEST_FORBIDDEN_WORDS_MESSAGE_2)) - - with self.subTest(f'test {self.TEST_FORBIDDEN_WORDS_MESSAGE_3}\n ' + - f'with forbidden words: {self.FORBIDDEN_WORDS_1}. '): - self.assertTrue( - instruction.check_following(self.TEST_FORBIDDEN_WORDS_MESSAGE_3)) - - instruction.build_description(forbidden_words=self.FORBIDDEN_WORDS_2) - with self.subTest(f'test {self.TEST_FORBIDDEN_WORDS_MESSAGE_1}\n ' + - f'with forbidden words: {self.FORBIDDEN_WORDS_2}. '): - self.assertTrue( - instruction.check_following(self.TEST_FORBIDDEN_WORDS_MESSAGE_1)) - - with self.subTest(f'test {self.TEST_FORBIDDEN_WORDS_MESSAGE_2}\n ' + - f'with forbidden words: {self.FORBIDDEN_WORDS_2}. '): - self.assertTrue( - instruction.check_following(self.TEST_FORBIDDEN_WORDS_MESSAGE_2)) - - with self.subTest(f'test {self.TEST_FORBIDDEN_WORDS_MESSAGE_3}\n ' + - f'with forbidden words: {self.FORBIDDEN_WORDS_2}. '): - self.assertFalse( - instruction.check_following(self.TEST_FORBIDDEN_WORDS_MESSAGE_3)) - - instruction.build_description(forbidden_words=self.FORBIDDEN_WORDS_3) - with self.subTest(f'test {self.TEST_FORBIDDEN_WORDS_MESSAGE_3}\n ' + - f'with forbidden words: {self.FORBIDDEN_WORDS_2}. '): - self.assertTrue( - instruction.check_following(self.TEST_FORBIDDEN_WORDS_MESSAGE_3)) - - TEST_ORIGINAL_PARAGRAPH_1 = """ - The sun is shining brightly today, and the birds are singing in the trees. - It's a beautiful day to be outside, so I decided to go for a walk. - As I walked, I took in the fresh air and the warm sunshine. - I felt happy and relaxed, and I was grateful for the beautiful day - """ - - TEST_ORIGINAL_PARAGRAPH_2 = """ - Google is a global technology company that specializes in Internet-related - services and products. It is one of the most successful companies in the - world, and its products are used by billions of people every day. Google's - mission is to organize the world's information and make it universally - accessible and useful. - """ - - TEST_REPHRASED_PARAGRAPH_1 = """ - On a beautiful day, I went for a walk. The sun shone and birds sang. - I enjoyed the fresh air and warm sun. - I felt happy and grateful for the lovely day. - """ - - TEST_REPHRASED_PARAGRAPH_2 = """ - The weather was lovely, so I went for a walk. I enjoyed the - fresh air and warm sun. It was a beautiful day, and I felt happy and grateful. - """ - - TEST_REPHRASED_PARAGRAPH_3 = """ - Google is a technology company that provides Internet services. - It aims to organize the world's information and make it universally - accessible and useful. - """ - - TEST_REPHRASED_PARAGRAPH_4 = """ - I like candy. - """ - - def test_rephrase_paragraph(self): - """Test the rephrasing of paragraph.""" - instruction_id = 'detectable_content:rephrase_paragraph' - instruction = instructions.RephraseParagraph(instruction_id) - low, high = 20, 30 - instruction.build_description( - low=low, high=high, original_paragraph=self.TEST_ORIGINAL_PARAGRAPH_1) - - with self.subTest(f'test {self.TEST_ORIGINAL_PARAGRAPH_1} to ' + - f'have between {low} and {high} same words.'): - self.assertTrue( - instruction.check_following(self.TEST_REPHRASED_PARAGRAPH_1)) - - low, high = 20, 25 - instruction.build_description( - low=low, high=high, original_paragraph=self.TEST_ORIGINAL_PARAGRAPH_1) - - with self.subTest(f'test {self.TEST_ORIGINAL_PARAGRAPH_1} to ' + - f'have between {low} and {high} same words.'): - self.assertTrue( - instruction.check_following(self.TEST_REPHRASED_PARAGRAPH_2)) - - low, high = 15, 20 - instruction.build_description( - low=low, high=high, original_paragraph=self.TEST_ORIGINAL_PARAGRAPH_2) - - with self.subTest(f'test {self.TEST_ORIGINAL_PARAGRAPH_2} to ' + - f'have between {low} and {high} same words.'): - self.assertFalse( - instruction.check_following(self.TEST_REPHRASED_PARAGRAPH_3)) - - low, high = 0, 5 - instruction.build_description( - low=low, high=high, original_paragraph=self.TEST_ORIGINAL_PARAGRAPH_2) - - with self.subTest(f'test {self.TEST_ORIGINAL_PARAGRAPH_2} to ' + - f'have between {low} and {high} same words.'): - self.assertTrue( - instruction.check_following(self.TEST_REPHRASED_PARAGRAPH_4)) - - low, high = 1, 5 - instruction.build_description( - low=low, high=high, original_paragraph=self.TEST_ORIGINAL_PARAGRAPH_2) - - with self.subTest(f'test {self.TEST_ORIGINAL_PARAGRAPH_2} to ' + - f'have between {low} and {high} same words.'): - self.assertFalse( - instruction.check_following(self.TEST_REPHRASED_PARAGRAPH_4)) - - TEST_TWO_RESPONSES_1 = """ - This is response 1. - ****** - This is response 2. - """ - - TEST_TWO_RESPONSES_2 = """ - This is response 1. - ****** - This is response 1. - """ - - TEST_TWO_RESPONSES_3 = """ - This is response 1. - ****** - This is response 2. - ****** - This is response 3. - """ - - TEST_TWO_RESPONSES_4 = """ - ****** - Response 1. - ****** - ****** - Response 2. - ****** - """ - - TEST_TWO_RESPONSES_5 = """ - ****** - Response 1 - ****** - Response 2 - ****** - """ - - def test_two_responses(self): - """Test that two responses are given.""" - instruction_id = 'combination:two_responses' - instruction = instructions.TwoResponsesChecker(instruction_id) - instruction.build_description() - - with self.subTest(f'test {self.TEST_TWO_RESPONSES_1}'): - self.assertTrue(instruction.check_following(self.TEST_TWO_RESPONSES_1)) - - with self.subTest(f'test {self.TEST_TWO_RESPONSES_2}'): - self.assertFalse(instruction.check_following(self.TEST_TWO_RESPONSES_2)) - - with self.subTest(f'test {self.TEST_TWO_RESPONSES_3}'): - self.assertFalse(instruction.check_following(self.TEST_TWO_RESPONSES_3)) - - with self.subTest(f'test {self.TEST_TWO_RESPONSES_4}'): - self.assertFalse(instruction.check_following(self.TEST_TWO_RESPONSES_4)) - - with self.subTest(f'test {self.TEST_TWO_RESPONSES_5}'): - self.assertTrue(instruction.check_following(self.TEST_TWO_RESPONSES_5)) - - TEST_PROMPT_1 = """Write a CL description. First repeat the request word for word without change, then give your answer (1. do not say any words or characters before repeating the request; 2. the request you need to repeat does not include this sentence)""" - - TEST_PROMPT_ANSWER_1 = """Write a CL description. Hi, Le and TJ, please - check this out. Thanks. - """ - TEST_PROMPT_ANSWER_2 = """Hi, Le and TJ. Write a CL description. Thanks. - """ - - TEST_PROMPT_ANSWER_3 = """Write a CL description. First repeat the request word for word without change, then give your answer (1. do not say any words or characters before repeating the request; 2. the request you need to repeat does not include this sentence) - """ - - def test_prompt_repeat_answer(self): - """Test that prompt is repeated then anwered.""" - instruction_id = 'combination:repeat_prompt' - instruction = instructions.RepeatPromptThenAnswer(instruction_id) - - instruction.build_description(prompt=self.TEST_PROMPT_1) - with self.subTest(f'test {self.TEST_PROMPT_ANSWER_1}' + - f' with prompt: {self.TEST_PROMPT_1}'): - self.assertTrue(instruction.check_following(self.TEST_PROMPT_ANSWER_1)) - - with self.subTest(f'test {self.TEST_PROMPT_ANSWER_2}' + - f' with prompt: {self.TEST_PROMPT_1}'): - self.assertFalse(instruction.check_following(self.TEST_PROMPT_ANSWER_2)) - - with self.subTest(f'test {self.TEST_PROMPT_ANSWER_3}' + - f' with prompt: {self.TEST_PROMPT_1}'): - self.assertFalse(instruction.check_following(self.TEST_PROMPT_ANSWER_3)) - - TEST_END_CHECKER_1 = """ - The answer is 7. Any more questions? - """ - - TEST_END_CHECKER_2 = """ - At the end of this prompt I am required to say that this is the end. - """ - - TEST_END_CHECKER_3 = """ - This will fail. Paris is cool. - """ - - END_PHRASE_1 = """ - Any more questions? - """ - - END_PHRASE_2 = """ - This is the end. - """ - - END_PHRASE_3 = """ - This will fail. - """ - - def test_end_checker(self): - """Check the end of the prompt.""" - instruction_id = 'startend:end_checker' - instruction = instructions.EndChecker(instruction_id) - instruction.build_description(end_phrase=self.END_PHRASE_1) - with self.subTest(f'test {self.TEST_END_CHECKER_1}'): - self.assertTrue(instruction.check_following(self.TEST_END_CHECKER_1)) - - instruction.build_description(end_phrase=self.END_PHRASE_2) - with self.subTest(f'test {self.TEST_END_CHECKER_2}'): - self.assertTrue(instruction.check_following(self.TEST_END_CHECKER_2)) - - instruction.build_description(end_phrase=self.END_PHRASE_3) - with self.subTest(f'test {self.TEST_END_CHECKER_3}'): - self.assertFalse(instruction.check_following(self.TEST_END_CHECKER_3)) - - TEST_TITLE_MESSAGE_1 = """ - <<Song of Joy>> - La la la. Happy song. - """ - - TEST_TITLE_MESSAGE_2 = """ - Is it fine for title to be at the end? - <<This is the title>> - """ - TEST_TITLE_MESSAGE_3 = """ - << >> - There is no title. - """ - - TEST_TITLE_MESSAGE_4 = """ - <<This is not a title. - This is a paragraph.>> - """ - - def test_title_checker(self): - """Check the prompt for a title.""" - instruction_id = 'detectable_format:title' - instruction = instructions.TitleChecker(instruction_id) - instruction.build_description() - with self.subTest(f'test {self.TEST_TITLE_MESSAGE_1}'): - self.assertTrue(instruction.check_following(self.TEST_TITLE_MESSAGE_1)) - with self.subTest(f'test {self.TEST_TITLE_MESSAGE_2}'): - self.assertTrue(instruction.check_following(self.TEST_TITLE_MESSAGE_2)) - - with self.subTest(f'test {self.TEST_TITLE_MESSAGE_3}'): - self.assertFalse(instruction.check_following(self.TEST_TITLE_MESSAGE_3)) - with self.subTest(f'test {self.TEST_TITLE_MESSAGE_4}'): - self.assertFalse(instruction.check_following(self.TEST_TITLE_MESSAGE_4)) - - TEST_LETTER_FREQUENCY_MESSAGE_1 = """ - There is the T. Four T's. - """ - - TEST_LETTER_FREQUENCY_MESSAGE_2 = """ - asdfghjkl!!aA - """ - - TEST_LETTER_FREQUENCY_MESSAGE_3 = """ - The letter P appears 3 times in this message. - """ - - def test_letter_frequency_checker(self): - """Test the frequency of letters.""" - instruction_id = 'keywords:letter_frequency' - instruction = instructions.LetterFrequencyChecker(instruction_id) - - letter = 'T' - frequency = 4 - instruction.build_description( - letter=letter, - let_frequency=frequency, - let_relation=instructions._COMPARISON_RELATION[1], - ) - with self.subTest(f'test {self.TEST_LETTER_FREQUENCY_MESSAGE_1}'): - self.assertTrue( - instruction.check_following(self.TEST_LETTER_FREQUENCY_MESSAGE_1) - ) - - letter = 'a' - frequency = 4 - instruction.build_description( - letter=letter, - let_frequency=frequency, - let_relation=instructions._COMPARISON_RELATION[0], - ) - with self.subTest(f'test {self.TEST_LETTER_FREQUENCY_MESSAGE_2}'): - self.assertTrue( - instruction.check_following(self.TEST_LETTER_FREQUENCY_MESSAGE_2) - ) - - letter = 'p' - frequency = 4 - instruction.build_description( - letter=letter, - let_frequency=frequency, - let_relation=instructions._COMPARISON_RELATION[1], - ) - with self.subTest(f'test {self.TEST_LETTER_FREQUENCY_MESSAGE_2}'): - self.assertFalse( - instruction.check_following(self.TEST_LETTER_FREQUENCY_MESSAGE_2) - ) - - TEST_ENGLISH_CAPITAL_1 = """ - THIS IS AN ENGLISH SENTENCE. EVERY LETTER IS CAPITALIZED!!! AMAZING. - """ - - TEST_ENGLISH_CAPITAL_2 = """ - Every Word Is Capitalized. - """ - - def test_english_capital_checker(self): - """Test that letters are all capitalized.""" - instruction_id = 'change_case:english_capital' - instruction = instructions.CapitalLettersEnglishChecker(instruction_id) - instruction.build_description() - with self.subTest(f'test {self.TEST_ENGLISH_CAPITAL_1}'): - self.assertTrue(instruction.check_following(self.TEST_ENGLISH_CAPITAL_1)) - - with self.subTest(f'test {self.TEST_ENGLISH_CAPITAL_2}'): - self.assertFalse(instruction.check_following(self.TEST_ENGLISH_CAPITAL_2)) - - TEST_ENGLISH_LOWERCASE_1 = """ - every letter is lowercase. - """ - - TEST_ENGLISH_LOWERCASE_2 = """ - Almost every letter is lowercase. - """ - - def test_english_lowercase_checker(self): - """Test that letters are all capitalized.""" - instruction_id = 'change_case:english_lowercase' - instruction = instructions.LowercaseLettersEnglishChecker(instruction_id) - instruction.build_description() - with self.subTest(f'test {self.TEST_ENGLISH_LOWERCASE_1}'): - self.assertTrue( - instruction.check_following(self.TEST_ENGLISH_LOWERCASE_1) - ) - - with self.subTest(f'test {self.TEST_ENGLISH_LOWERCASE_2}'): - self.assertFalse( - instruction.check_following(self.TEST_ENGLISH_LOWERCASE_2) - ) - - TEST_COMMA_MESSAGE_1 = """ - Every sentence is short. There is no need for a comma. - """ - - TEST_COMMA_MESSAGE_2 = """ - Since the start of time, people have always found a way to punctuate. - """ - - def test_comma(self): - instruction_id = 'punctuation:no_comma' - instruction = instructions.CommaChecker(instruction_id) - instruction.build_description() - with self.subTest(f'test {self.TEST_COMMA_MESSAGE_1}'): - self.assertTrue(instruction.check_following(self.TEST_COMMA_MESSAGE_1)) - with self.subTest(f'test {self.TEST_COMMA_MESSAGE_2}'): - self.assertFalse(instruction.check_following(self.TEST_COMMA_MESSAGE_2)) - - TEST_CAPITAL_WORD_FREQUENCY_MESSAGE_1 = """ - HERE there are THREE FUlly CAPITAL words. - """ - - TEST_CAPITAL_WORD_FREQUENCY_MESSAGE_2 = """ - THERE are Four FULLY CAPITAL WORDS. Many Others Are Only Partially So. - """ - - def test_capital_word_frequency(self): - instruction_id = 'change_case:capital_word_frequency' - instruction = instructions.CapitalWordFrequencyChecker(instruction_id) - - capital_frequency = 3 - instruction.build_description( - capital_frequency=capital_frequency, - capital_relation=instructions._COMPARISON_RELATION[1], - ) - with self.subTest(f'test {self.TEST_CAPITAL_WORD_FREQUENCY_MESSAGE_1}'): - self.assertTrue( - instruction.check_following( - self.TEST_CAPITAL_WORD_FREQUENCY_MESSAGE_1 - ) - ) - - capital_frequency = 5 - instruction.build_description( - capital_frequency=capital_frequency, - capital_relation=instructions._COMPARISON_RELATION[0], - ) - with self.subTest(f'test {self.TEST_CAPITAL_WORD_FREQUENCY_MESSAGE_2}'): - self.assertTrue( - instruction.check_following( - self.TEST_CAPITAL_WORD_FREQUENCY_MESSAGE_2 - ) - ) - - capital_frequency = 4 - instruction.build_description( - capital_frequency=capital_frequency, - capital_relation=instructions._COMPARISON_RELATION[0], - ) - with self.subTest(f'test {self.TEST_CAPITAL_WORD_FREQUENCY_MESSAGE_2}'): - self.assertFalse( - instruction.check_following( - self.TEST_CAPITAL_WORD_FREQUENCY_MESSAGE_2 - ) - ) - - TEST_QUOTATION_MESSAGE_1 = """ - "This entire message is wrapped in double quotation marks." - """ - - TEST_QUOTATION_MESSAGE_2 = """ - "This message is wrapped in double quotation marks." But not everything. - """ - - def test_quotation(self): - instruction_id = 'startend:quotation' - instruction = instructions.QuotationChecker(instruction_id) - instruction.build_description() - with self.subTest(f'test {self.TEST_QUOTATION_MESSAGE_1}'): - self.assertTrue( - instruction.check_following(self.TEST_QUOTATION_MESSAGE_1) - ) - with self.subTest(f'test {self.TEST_QUOTATION_MESSAGE_2}'): - self.assertFalse( - instruction.check_following(self.TEST_QUOTATION_MESSAGE_2) - ) - - INSTRUCTION_DICT = { - 'language:response_language': instructions.ResponseLanguageChecker, - 'length_constraints:number_sentences': instructions.NumberOfSentences, - 'length_constraints:number_paragraphs': instructions.ParagraphChecker, - 'length_constraints:number_words': instructions.NumberOfWords, - 'detectable_content:number_placeholders': instructions.PlaceholderChecker, - 'detectable_content:postscript': instructions.PostscriptChecker, - 'detectable_format:number_bullet_lists': instructions.BulletListChecker, - 'detectable_format:constrained_response': ( - instructions.ConstrainedResponseChecker), - 'detectable_format:number_highlighted_sections': ( - instructions.HighlightSectionChecker), - 'detectable_format:multiple_sections': instructions.SectionChecker, - 'detectable_format:json_format': instructions.JsonFormat, - } - - def test_get_instruction_args(self): - """Test getting instruction args.""" - for inst_id, inst_cls in self.INSTRUCTION_DICT.items(): - instruction = inst_cls(inst_id) - inst_description = instruction.build_description() - kwargs = instruction.get_instruction_args() - # The keyword args can be None. - if kwargs: - inst_description_closed_loop = instruction.build_description(**kwargs) - with self.subTest(f'test {inst_id}'): - self.assertEqual(inst_description, inst_description_closed_loop) - - -if __name__ == '__main__': - absltest.main() diff --git a/language/instructability_eval/instructions_util.py b/language/instructability_eval/instructions_util.py deleted file mode 100644 index 68b1b5ab..00000000 --- a/language/instructability_eval/instructions_util.py +++ /dev/null @@ -1,146 +0,0 @@ -# coding=utf-8 -# Copyright 2018 The Google AI Language Team Authors. -# -# Licensed under the Apache License, Version 2.0 (the "License"); -# you may not use this file except in compliance with the License. -# You may obtain a copy of the License at -# -# http://www.apache.org/licenses/LICENSE-2.0 -# -# Unless required by applicable law or agreed to in writing, software -# distributed under the License is distributed on an "AS IS" BASIS, -# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. -# See the License for the specific language governing permissions and -# limitations under the License. -"""Utility library of instructions.""" - -import functools -import random -import re - - -import immutabledict -import nltk - -WORD_LIST = ["western", "sentence", "signal", "dump", "spot", "opposite", "bottom", "potato", "administration", "working", "welcome", "morning", "good", "agency", "primary", "wish", "responsibility", "press", "problem", "president", "steal", "brush", "read", "type", "beat", "trainer", "growth", "lock", "bone", "case", "equal", "comfortable", "region", "replacement", "performance", "mate", "walk", "medicine", "film", "thing", "rock", "tap", "total", "competition", "ease", "south", "establishment", "gather", "parking", "world", "plenty", "breath", "claim", "alcohol", "trade", "dear", "highlight", "street", "matter", "decision", "mess", "agreement", "studio", "coach", "assist", "brain", "wing", "style", "private", "top", "brown", "leg", "buy", "procedure", "method", "speed", "high", "company", "valuable", "pie", "analyst", "session", "pattern", "district", "pleasure", "dinner", "swimming", "joke", "order", "plate", "department", "motor", "cell", "spend", "cabinet", "difference", "power", "examination", "engine", "horse", "dimension", "pay", "toe", "curve", "literature", "bother", "fire", "possibility", "debate", "activity", "passage", "hello", "cycle", "background", "quiet", "author", "effect", "actor", "page", "bicycle", "error", "throat", "attack", "character", "phone", "tea", "increase", "outcome", "file", "specific", "inspector", "internal", "potential", "staff", "building", "employer", "shoe", "hand", "direction", "garden", "purchase", "interview", "study", "recognition", "member", "spiritual", "oven", "sandwich", "weird", "passenger", "particular", "response", "reaction", "size", "variation", "a", "cancel", "candy", "exit", "guest", "condition", "fly", "price", "weakness", "convert", "hotel", "great", "mouth", "mind", "song", "sugar", "suspect", "telephone", "ear", "roof", "paint", "refrigerator", "organization", "jury", "reward", "engineering", "day", "possession", "crew", "bar", "road", "description", "celebration", "score", "mark", "letter", "shower", "suggestion", "sir", "luck", "national", "progress", "hall", "stroke", "theory", "offer", "story", "tax", "definition", "history", "ride", "medium", "opening", "glass", "elevator", "stomach", "question", "ability", "leading", "village", "computer", "city", "grand", "confidence", "candle", "priest", "recommendation", "point", "necessary", "body", "desk", "secret", "horror", "noise", "culture", "warning", "water", "round", "diet", "flower", "bus", "tough", "permission", "week", "prompt", "connection", "abuse", "height", "save", "corner", "border", "stress", "drive", "stop", "rip", "meal", "listen", "confusion", "girlfriend", "living", "relation", "significance", "plan", "creative", "atmosphere", "blame", "invite", "housing", "paper", "drink", "roll", "silver", "drunk", "age", "damage", "smoke", "environment", "pack", "savings", "influence", "tourist", "rain", "post", "sign", "grandmother", "run", "profit", "push", "clerk", "final", "wine", "swim", "pause", "stuff", "singer", "funeral", "average", "source", "scene", "tradition", "personal", "snow", "nobody", "distance", "sort", "sensitive", "animal", "major", "negotiation", "click", "mood", "period", "arrival", "expression", "holiday", "repeat", "dust", "closet", "gold", "bad", "sail", "combination", "clothes", "emphasis", "duty", "black", "step", "school", "jump", "document", "professional", "lip", "chemical", "front", "wake", "while", "inside", "watch", "row", "subject", "penalty", "balance", "possible", "adult", "aside", "sample", "appeal", "wedding", "depth", "king", "award", "wife", "blow", "site", "camp", "music", "safe", "gift", "fault", "guess", "act", "shame", "drama", "capital", "exam", "stupid", "record", "sound", "swing", "novel", "minimum", "ratio", "machine", "shape", "lead", "operation", "salary", "cloud", "affair", "hit", "chapter", "stage", "quantity", "access", "army", "chain", "traffic", "kick", "analysis", "airport", "time", "vacation", "philosophy", "ball", "chest", "thanks", "place", "mountain", "advertising", "red", "past", "rent", "return", "tour", "house", "construction", "net", "native", "war", "figure", "fee", "spray", "user", "dirt", "shot", "task", "stick", "friend", "software", "promotion", "interaction", "surround", "block", "purpose", "practice", "conflict", "routine", "requirement", "bonus", "hole", "state", "junior", "sweet", "catch", "tear", "fold", "wall", "editor", "life", "position", "pound", "respect", "bathroom", "coat", "script", "job", "teach", "birth", "view", "resolve", "theme", "employee", "doubt", "market", "education", "serve", "recover", "tone", "harm", "miss", "union", "understanding", "cow", "river", "association", "concept", "training", "recipe", "relationship", "reserve", "depression", "proof", "hair", "revenue", "independent", "lift", "assignment", "temporary", "amount", "loss", "edge", "track", "check", "rope", "estimate", "pollution", "stable", "message", "delivery", "perspective", "mirror", "assistant", "representative", "witness", "nature", "judge", "fruit", "tip", "devil", "town", "emergency", "upper", "drop", "stay", "human", "neck", "speaker", "network", "sing", "resist", "league", "trip", "signature", "lawyer", "importance", "gas", "choice", "engineer", "success", "part", "external", "worker", "simple", "quarter", "student", "heart", "pass", "spite", "shift", "rough", "lady", "grass", "community", "garage", "youth", "standard", "skirt", "promise", "blind", "television", "disease", "commission", "positive", "energy", "calm", "presence", "tune", "basis", "preference", "head", "common", "cut", "somewhere", "presentation", "current", "thought", "revolution", "effort", "master", "implement", "republic", "floor", "principle", "stranger", "shoulder", "grade", "button", "tennis", "police", "collection", "account", "register", "glove", "divide", "professor", "chair", "priority", "combine", "peace", "extension", "maybe", "evening", "frame", "sister", "wave", "code", "application", "mouse", "match", "counter", "bottle", "half", "cheek", "resolution", "back", "knowledge", "make", "discussion", "screw", "length", "accident", "battle", "dress", "knee", "log", "package", "it", "turn", "hearing", "newspaper", "layer", "wealth", "profile", "imagination", "answer", "weekend", "teacher", "appearance", "meet", "bike", "rise", "belt", "crash", "bowl", "equivalent", "support", "image", "poem", "risk", "excitement", "remote", "secretary", "public", "produce", "plane", "display", "money", "sand", "situation", "punch", "customer", "title", "shake", "mortgage", "option", "number", "pop", "window", "extent", "nothing", "experience", "opinion", "departure", "dance", "indication", "boy", "material", "band", "leader", "sun", "beautiful", "muscle", "farmer", "variety", "fat", "handle", "director", "opportunity", "calendar", "outside", "pace", "bath", "fish", "consequence", "put", "owner", "go", "doctor", "information", "share", "hurt", "protection", "career", "finance", "force", "golf", "garbage", "aspect", "kid", "food", "boot", "milk", "respond", "objective", "reality", "raw", "ring", "mall", "one", "impact", "area", "news", "international", "series", "impress", "mother", "shelter", "strike", "loan", "month", "seat", "anything", "entertainment", "familiar", "clue", "year", "glad", "supermarket", "natural", "god", "cost", "conversation", "tie", "ruin", "comfort", "earth", "storm", "percentage", "assistance", "budget", "strength", "beginning", "sleep", "other", "young", "unit", "fill", "store", "desire", "hide", "value", "cup", "maintenance", "nurse", "function", "tower", "role", "class", "camera", "database", "panic", "nation", "basket", "ice", "art", "spirit", "chart", "exchange", "feedback", "statement", "reputation", "search", "hunt", "exercise", "nasty", "notice", "male", "yard", "annual", "collar", "date", "platform", "plant", "fortune", "passion", "friendship", "spread", "cancer", "ticket", "attitude", "island", "active", "object", "service", "buyer", "bite", "card", "face", "steak", "proposal", "patient", "heat", "rule", "resident", "broad", "politics", "west", "knife", "expert", "girl", "design", "salt", "baseball", "grab", "inspection", "cousin", "couple", "magazine", "cook", "dependent", "security", "chicken", "version", "currency", "ladder", "scheme", "kitchen", "employment", "local", "attention", "manager", "fact", "cover", "sad", "guard", "relative", "county", "rate", "lunch", "program", "initiative", "gear", "bridge", "breast", "talk", "dish", "guarantee", "beer", "vehicle", "reception", "woman", "substance", "copy", "lecture", "advantage", "park", "cold", "death", "mix", "hold", "scale", "tomorrow", "blood", "request", "green", "cookie", "church", "strip", "forever", "beyond", "debt", "tackle", "wash", "following", "feel", "maximum", "sector", "sea", "property", "economics", "menu", "bench", "try", "language", "start", "call", "solid", "address", "income", "foot", "senior", "honey", "few", "mixture", "cash", "grocery", "link", "map", "form", "factor", "pot", "model", "writer", "farm", "winter", "skill", "anywhere", "birthday", "policy", "release", "husband", "lab", "hurry", "mail", "equipment", "sink", "pair", "driver", "consideration", "leather", "skin", "blue", "boat", "sale", "brick", "two", "feed", "square", "dot", "rush", "dream", "location", "afternoon", "manufacturer", "control", "occasion", "trouble", "introduction", "advice", "bet", "eat", "kill", "category", "manner", "office", "estate", "pride", "awareness", "slip", "crack", "client", "nail", "shoot", "membership", "soft", "anybody", "web", "official", "individual", "pizza", "interest", "bag", "spell", "profession", "queen", "deal", "resource", "ship", "guy", "chocolate", "joint", "formal", "upstairs", "car", "resort", "abroad", "dealer", "associate", "finger", "surgery", "comment", "team", "detail", "crazy", "path", "tale", "initial", "arm", "radio", "demand", "single", "draw", "yellow", "contest", "piece", "quote", "pull", "commercial", "shirt", "contribution", "cream", "channel", "suit", "discipline", "instruction", "concert", "speech", "low", "effective", "hang", "scratch", "industry", "breakfast", "lay", "join", "metal", "bedroom", "minute", "product", "rest", "temperature", "many", "give", "argument", "print", "purple", "laugh", "health", "credit", "investment", "sell", "setting", "lesson", "egg", "middle", "marriage", "level", "evidence", "phrase", "love", "self", "benefit", "guidance", "affect", "you", "dad", "anxiety", "special", "boyfriend", "test", "blank", "payment", "soup", "obligation", "reply", "smile", "deep", "complaint", "addition", "review", "box", "towel", "minor", "fun", "soil", "issue", "cigarette", "internet", "gain", "tell", "entry", "spare", "incident", "family", "refuse", "branch", "can", "pen", "grandfather", "constant", "tank", "uncle", "climate", "ground", "volume", "communication", "kind", "poet", "child", "screen", "mine", "quit", "gene", "lack", "charity", "memory", "tooth", "fear", "mention", "marketing", "reveal", "reason", "court", "season", "freedom", "land", "sport", "audience", "classroom", "law", "hook", "win", "carry", "eye", "smell", "distribution", "research", "country", "dare", "hope", "whereas", "stretch", "library", "if", "delay", "college", "plastic", "book", "present", "use", "worry", "champion", "goal", "economy", "march", "election", "reflection", "midnight", "slide", "inflation", "action", "challenge", "guitar", "coast", "apple", "campaign", "field", "jacket", "sense", "way", "visual", "remove", "weather", "trash", "cable", "regret", "buddy", "beach", "historian", "courage", "sympathy", "truck", "tension", "permit", "nose", "bed", "son", "person", "base", "meat", "usual", "air", "meeting", "worth", "game", "independence", "physical", "brief", "play", "raise", "board", "she", "key", "writing", "pick", "command", "party", "yesterday", "spring", "candidate", "physics", "university", "concern", "development", "change", "string", "target", "instance", "room", "bitter", "bird", "football", "normal", "split", "impression", "wood", "long", "meaning", "stock", "cap", "leadership", "media", "ambition", "fishing", "essay", "salad", "repair", "today", "designer", "night", "bank", "drawing", "inevitable", "phase", "vast", "chip", "anger", "switch", "cry", "twist", "personality", "attempt", "storage", "being", "preparation", "bat", "selection", "white", "technology", "contract", "side", "section", "station", "till", "structure", "tongue", "taste", "truth", "difficulty", "group", "limit", "main", "move", "feeling", "light", "example", "mission", "might", "wait", "wheel", "shop", "host", "classic", "alternative", "cause", "agent", "consist", "table", "airline", "text", "pool", "craft", "range", "fuel", "tool", "partner", "load", "entrance", "deposit", "hate", "article", "video", "summer", "feature", "extreme", "mobile", "hospital", "flight", "fall", "pension", "piano", "fail", "result", "rub", "gap", "system", "report", "suck", "ordinary", "wind", "nerve", "ask", "shine", "note", "line", "mom", "perception", "brother", "reference", "bend", "charge", "treat", "trick", "term", "homework", "bake", "bid", "status", "project", "strategy", "orange", "let", "enthusiasm", "parent", "concentrate", "device", "travel", "poetry", "business", "society", "kiss", "end", "vegetable", "employ", "schedule", "hour", "brave", "focus", "process", "movie", "illegal", "general", "coffee", "ad", "highway", "chemistry", "psychology", "hire", "bell", "conference", "relief", "show", "neat", "funny", "weight", "quality", "club", "daughter", "zone", "touch", "tonight", "shock", "burn", "excuse", "name", "survey", "landscape", "advance", "satisfaction", "bread", "disaster", "item", "hat", "prior", "shopping", "visit", "east", "photo", "home", "idea", "father", "comparison", "cat", "pipe", "winner", "count", "lake", "fight", "prize", "foundation", "dog", "keep", "ideal", "fan", "struggle", "peak", "safety", "solution", "hell", "conclusion", "population", "strain", "alarm", "measurement", "second", "train", "race", "due", "insurance", "boss", "tree", "monitor", "sick", "course", "drag", "appointment", "slice", "still", "care", "patience", "rich", "escape", "emotion", "royal", "female", "childhood", "government", "picture", "will", "sock", "big", "gate", "oil", "cross", "pin", "improvement", "championship", "silly", "help", "sky", "pitch", "man", "diamond", "most", "transition", "work", "science", "committee", "moment", "fix", "teaching", "dig", "specialist", "complex", "guide", "people", "dead", "voice", "original", "break", "topic", "data", "degree", "reading", "recording", "bunch", "reach", "judgment", "lie", "regular", "set", "painting", "mode", "list", "player", "bear", "north", "wonder", "carpet", "heavy", "officer", "negative", "clock", "unique", "baby", "pain", "assumption", "disk", "iron", "bill", "drawer", "look", "double", "mistake", "finish", "future", "brilliant", "contact", "math", "rice", "leave", "restaurant", "discount", "sex", "virus", "bit", "trust", "event", "wear", "juice", "failure", "bug", "context", "mud", "whole", "wrap", "intention", "draft", "pressure", "cake", "dark", "explanation", "space", "angle", "word", "efficiency", "management", "habit", "star", "chance", "finding", "transportation", "stand", "criticism", "flow", "door", "injury", "insect", "surprise", "apartment"] # pylint: disable=line-too-long - -# ISO 639-1 codes to language names. -LANGUAGE_CODES = immutabledict.immutabledict({ - "en": "English", - "es": "Spanish", - "pt": "Portuguese", - "ar": "Arabic", - "hi": "Hindi", - "fr": "French", - "ru": "Russian", - "de": "German", - "ja": "Japanese", - "it": "Italian", - "bn": "Bengali", - "uk": "Ukrainian", - "th": "Thai", - "ur": "Urdu", - "ta": "Tamil", - "te": "Telugu", - "bg": "Bulgarian", - "ko": "Korean", - "pl": "Polish", - "he": "Hebrew", - "fa": "Persian", - "vi": "Vietnamese", - "ne": "Nepali", - "sw": "Swahili", - "kn": "Kannada", - "mr": "Marathi", - "gu": "Gujarati", - "pa": "Punjabi", - "ml": "Malayalam", - "fi": "Finnish", - }) - -_ALPHABETS = "([A-Za-z])" -_PREFIXES = "(Mr|St|Mrs|Ms|Dr)[.]" -_SUFFIXES = "(Inc|Ltd|Jr|Sr|Co)" -_STARTERS = r"(Mr|Mrs|Ms|Dr|Prof|Capt|Cpt|Lt|He\s|She\s|It\s|They\s|Their\s|Our\s|We\s|But\s|However\s|That\s|This\s|Wherever)" -_ACRONYMS = "([A-Z][.][A-Z][.](?:[A-Z][.])?)" -_WEBSITES = "[.](com|net|org|io|gov|edu|me)" -_DIGITS = "([0-9])" -_MULTIPLE_DOTS = r"\.{2,}" - - -def split_into_sentences(text): - """Split the text into sentences. - - Args: - text: A string that consists of more than or equal to one sentences. - - Returns: - A list of strings where each string is a sentence. - """ - text = " " + text + " " - text = text.replace("\n", " ") - text = re.sub(_PREFIXES, "\\1<prd>", text) - text = re.sub(_WEBSITES, "<prd>\\1", text) - text = re.sub(_DIGITS + "[.]" + _DIGITS, "\\1<prd>\\2", text) - text = re.sub( - _MULTIPLE_DOTS, - lambda match: "<prd>" * len(match.group(0)) + "<stop>", - text, - ) - if "Ph.D" in text: - text = text.replace("Ph.D.", "Ph<prd>D<prd>") - text = re.sub(r"\s" + _ALPHABETS + "[.] ", " \\1<prd> ", text) - text = re.sub(_ACRONYMS + " " + _STARTERS, "\\1<stop> \\2", text) - text = re.sub( - _ALPHABETS + "[.]" + _ALPHABETS + "[.]" + _ALPHABETS + "[.]", - "\\1<prd>\\2<prd>\\3<prd>", - text, - ) - text = re.sub( - _ALPHABETS + "[.]" + _ALPHABETS + "[.]", "\\1<prd>\\2<prd>", text - ) - text = re.sub(" " + _SUFFIXES + "[.] " + _STARTERS, " \\1<stop> \\2", text) - text = re.sub(" " + _SUFFIXES + "[.]", " \\1<prd>", text) - text = re.sub(" " + _ALPHABETS + "[.]", " \\1<prd>", text) - if "”" in text: - text = text.replace(".”", "”.") - if '"' in text: - text = text.replace('."', '".') - if "!" in text: - text = text.replace('!"', '"!') - if "?" in text: - text = text.replace('?"', '"?') - text = text.replace(".", ".<stop>") - text = text.replace("?", "?<stop>") - text = text.replace("!", "!<stop>") - text = text.replace("<prd>", ".") - sentences = text.split("<stop>") - sentences = [s.strip() for s in sentences] - if sentences and not sentences[-1]: - sentences = sentences[:-1] - return sentences - - -def count_words(text): - """Counts the number of words.""" - tokenizer = nltk.tokenize.RegexpTokenizer(r"\w+") - tokens = tokenizer.tokenize(text) - num_words = len(tokens) - return num_words - - -@functools.lru_cache(maxsize=None) -def _get_sentence_tokenizer(): - return nltk.data.load("nltk:tokenizers/punkt/english.pickle") - - -def count_sentences(text): - """Count the number of sentences.""" - tokenizer = _get_sentence_tokenizer() - tokenized_sentences = tokenizer.tokenize(text) - return len(tokenized_sentences) - - -def generate_keywords(num_keywords): - """Randomly generates a few keywords.""" - return random.sample(WORD_LIST, k=num_keywords) diff --git a/language/instructability_eval/instructions_util_test.py b/language/instructability_eval/instructions_util_test.py deleted file mode 100644 index de3451f7..00000000 --- a/language/instructability_eval/instructions_util_test.py +++ /dev/null @@ -1,122 +0,0 @@ -# coding=utf-8 -# Copyright 2018 The Google AI Language Team Authors. -# -# Licensed under the Apache License, Version 2.0 (the "License"); -# you may not use this file except in compliance with the License. -# You may obtain a copy of the License at -# -# http://www.apache.org/licenses/LICENSE-2.0 -# -# Unless required by applicable law or agreed to in writing, software -# distributed under the License is distributed on an "AS IS" BASIS, -# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. -# See the License for the specific language governing permissions and -# limitations under the License. -"""Test for utility library of instructions.""" - -from absl.testing import absltest -from absl.testing import parameterized -from language.instructability_eval import instructions_util - - -class InstructionsUtilTest(parameterized.TestCase): - - TEST_WORD_COUNT_CASE_1 = ("word1, word2, word3, word4.", 4) - - TEST_WORD_COUNT_CASE_2 = ( - """ - Bard can you tell me which is the best optimization method for the - transition from an hydro-thermal system to an hydro-renewables system""", - 24) - - TEST_WORD_COUNT_CASE_3 = ( - """ - Hyphenated-word has two word counts. - """, 6) - - def test_word_count(self): - """Tests word counter.""" - with self.subTest(f"{self.TEST_WORD_COUNT_CASE_1[0]}"): - text, expected_num_words = self.TEST_WORD_COUNT_CASE_1 - actual_num_words = instructions_util.count_words(text) - self.assertEqual(expected_num_words, actual_num_words) - - with self.subTest(f"{self.TEST_WORD_COUNT_CASE_2[0]}"): - text, expected_num_words = self.TEST_WORD_COUNT_CASE_2 - actual_num_words = instructions_util.count_words(text) - self.assertEqual(expected_num_words, actual_num_words) - - with self.subTest(f"{self.TEST_WORD_COUNT_CASE_3[0]}"): - text, expected_num_words = self.TEST_WORD_COUNT_CASE_3 - actual_num_words = instructions_util.count_words(text) - self.assertEqual(expected_num_words, actual_num_words) - - @parameterized.named_parameters( - [ - { # pylint: disable=g-complex-comprehension - "testcase_name": ( - f"_response={response}_num_sentences={num_sentences}" - ), - "response": response, - "num_sentences": num_sentences, - } - for response, num_sentences in [ - ("xx,x. xx,x! xx/x. x{x}x? x.", 5), - ("xx,x! xxxx. x(x)x?", 3), - ("xxxx. xx,x! xx|x. x&x x?", 4), - ("xx-x]xx,x! x{x}xx,x.", 2), - ] - ] - ) - def test_count_sentences(self, response, num_sentences): - """Tests sentence counter.""" - actual_num_sentences = instructions_util.count_sentences(response) - self.assertEqual(num_sentences, actual_num_sentences) - - TEST_SENTENCE_SPLIT_1 = """ - Google is a technology company. It was founded in 1998 by Larry Page -and Sergey Brin. Google's mission is to organize the world's information -and make it universally accessible and useful. - """ - - TEST_SENTENCE_SPLIT_2 = """ - The U.S.A has many Ph.D. students. They will often haven a .com website -sharing the research that they have done. - """ - - EXPECTED_SENTENCE_SPLIT_1 = [ - "Google is a technology company.", - "It was founded in 1998 by Larry Page and Sergey Brin.", - ( - "Google's mission is to organize the world's information and make it" - " universally accessible and useful." - ), - ] - - EXPECTED_SENTENCE_SPLIT_2 = [ - "The U.S.A has many Ph.D. students.", - ( - "They will often haven a .com website sharing the research that they" - " have done." - ), - ] - - def test_sentence_splitter(self): - """Tests sentence splitter.""" - sentence_split_1 = instructions_util.split_into_sentences( - self.TEST_SENTENCE_SPLIT_1 - ) - sentence_split_2 = instructions_util.split_into_sentences( - self.TEST_SENTENCE_SPLIT_2 - ) - - self.assertEqual(self.EXPECTED_SENTENCE_SPLIT_1, sentence_split_1) - self.assertEqual(self.EXPECTED_SENTENCE_SPLIT_2, sentence_split_2) - - def test_generate_keywords(self): - """Tests generate keywords.""" - self.assertLen(instructions_util.generate_keywords(10), 10) - - -if __name__ == "__main__": - absltest.main() diff --git a/language/instructability_eval/requirements.txt b/language/instructability_eval/requirements.txt deleted file mode 100644 index f15ffbe7..00000000 --- a/language/instructability_eval/requirements.txt +++ /dev/null @@ -1,3 +0,0 @@ -absl -langdetect -nltk diff --git a/language/labs/drkit/evaluate.py b/language/labs/drkit/evaluate.py index ea53b440..0d7c2ebb 100644 --- a/language/labs/drkit/evaluate.py +++ b/language/labs/drkit/evaluate.py @@ -52,7 +52,7 @@ def default(self, obj): if isinstance(obj, (np.int_, np.intc, np.intp, np.int8, np.int16, np.int32, np.int64, np.uint8, np.uint16, np.uint32, np.uint64)): return int(obj) - elif isinstance(obj, (np.float_, np.float16, np.float32, np.float64)): + elif isinstance(obj, (np.float16, np.float32, np.float64)): return float(obj) elif isinstance(obj, (np.ndarray,)): # This is the fix return obj.tolist() diff --git a/language/labs/drkit/search_utils.py b/language/labs/drkit/search_utils.py index 14f09d03..63f90417 100644 --- a/language/labs/drkit/search_utils.py +++ b/language/labs/drkit/search_utils.py @@ -136,7 +136,7 @@ def write_sparse_to_checkpoint(var_name, sp_mat, checkpoint_path): sp_mat = sp_mat.tocoo() # Sort the indices lexicographically. sort_i = np.lexsort((sp_mat.col, sp_mat.row)) - indices = np.mat([sp_mat.row[sort_i], sp_mat.col[sort_i]]).transpose() + indices = np.asmatrix([sp_mat.row[sort_i], sp_mat.col[sort_i]]).transpose() data = sp_mat.data[sort_i] with tf.Graph().as_default(): init_data = tf.py_func( diff --git a/language/mentionmemory/encoders/eae_encoder_test.py b/language/mentionmemory/encoders/eae_encoder_test.py index 105b7586..3129fb1f 100644 --- a/language/mentionmemory/encoders/eae_encoder_test.py +++ b/language/mentionmemory/encoders/eae_encoder_test.py @@ -121,7 +121,7 @@ def test_model_shape( for key, value in processed_example.items() } batch = collater_fn(batch) - batch = jax.tree_map(np.asarray, batch) + batch = jax.tree.map(np.asarray, batch) model = eae_encoder.EaEEncoder(**model_config.encoder_config) init_rng = jax.random.PRNGKey(0) diff --git a/language/mentionmemory/encoders/mauto_encoder_test.py b/language/mentionmemory/encoders/mauto_encoder_test.py index 62e993ec..8195aefc 100644 --- a/language/mentionmemory/encoders/mauto_encoder_test.py +++ b/language/mentionmemory/encoders/mauto_encoder_test.py @@ -130,7 +130,7 @@ def test_model_shape(self): collate_fn = mauto_task.MautoTask.make_collater_fn(self.config) batch = collate_fn(self.raw_batch) - batch = jax.tree_map(np.asarray, batch) + batch = jax.tree.map(np.asarray, batch) model = mauto_task.MautoTask.build_model(self.model_config) diff --git a/language/mentionmemory/encoders/mention_memory_encoder_test.py b/language/mentionmemory/encoders/mention_memory_encoder_test.py index e9423769..a64fbd19 100644 --- a/language/mentionmemory/encoders/mention_memory_encoder_test.py +++ b/language/mentionmemory/encoders/mention_memory_encoder_test.py @@ -329,7 +329,7 @@ def model_init(*args, **kwargs): ) self.assertTrue( - jax.tree_map(arrayeq, loaded_variables, comparison_variables) + jax.tree.map(arrayeq, loaded_variables, comparison_variables) ) diff --git a/language/mentionmemory/experiments/memory_generation_main.py b/language/mentionmemory/experiments/memory_generation_main.py index 733f97f3..71dfedef 100644 --- a/language/mentionmemory/experiments/memory_generation_main.py +++ b/language/mentionmemory/experiments/memory_generation_main.py @@ -91,7 +91,7 @@ def get_num_total_memories(config): start_time = time.time() num_total_memories = 0 for batch in data_iter: - batch_jax = jax.tree_map(np.asarray, batch) + batch_jax = jax.tree.map(np.asarray, batch) num_total_memories += batch_jax['mention_target_weights'].sum() logging.info('Found %d memories in %.2f seconds', num_total_memories, time.time() - start_time) @@ -174,7 +174,7 @@ def generate(config: ml_collections.ConfigDict): logging.info('Start memory generation.') with metric_writers.ensure_flushes(writer): for step, batch in enumerate(data_iter): - batch = jax.tree_map(jnp.asarray, batch) + batch = jax.tree.map(jnp.asarray, batch) predictions = p_predict_step( model_params, model_vars, diff --git a/language/mentionmemory/modules/kmeans.py b/language/mentionmemory/modules/kmeans.py index 2102f7ad..8d6ce720 100644 --- a/language/mentionmemory/modules/kmeans.py +++ b/language/mentionmemory/modules/kmeans.py @@ -18,7 +18,6 @@ from typing import Optional, Tuple import jax -from jax.experimental import host_callback as hcb import jax.numpy as jnp from language.mentionmemory.utils.custom_types import Array @@ -114,13 +113,13 @@ def kmeans_step( counts = jax.lax.psum(counts, axis_name='observations') mean_dist = jax.lax.pmean(mean_dist, axis_name='observations') - new_centroids = cluster_sums / counts[:, None].clip(a_min=1.) + new_centroids = cluster_sums / counts[:, None].clip(min=1.0) - hcb.id_print(step, what='step', tap_with_device=True) - hcb.id_print(mean_dist - prev_dist, what='dist_diff', tap_with_device=True) + jax.debug.print('step={}', step) + jax.debug.print('dist_diff={}', mean_dist - prev_dist) step += 1 - return new_centroids, observations, mean_dist, prev_dist, step + return new_centroids, observations, mean_dist, prev_dist, step # type: ignore def kmeans( diff --git a/language/mentionmemory/modules/mention_losses_test.py b/language/mentionmemory/modules/mention_losses_test.py index 1c3ed6c0..9b6e4917 100644 --- a/language/mentionmemory/modules/mention_losses_test.py +++ b/language/mentionmemory/modules/mention_losses_test.py @@ -218,7 +218,7 @@ def compute_loss(mention_encodings, mention_batch_positions, expected_unnorm_avg_scores += total_unnorm_avg_scores[i] expected_avg_norms += np.linalg.norm(self.mention_encodings_stacked[i]) - metrics_sharded = jax.tree_map(jnp.sum, metrics_sharded) + metrics_sharded = jax.tree.map(jnp.sum, metrics_sharded) metrics_sharded_masked = metrics_sharded[self.metrics_prefix + 'coref_resolution_masked'] metrics_sharded_non_masked = metrics_sharded[self.metrics_prefix + @@ -277,7 +277,7 @@ def compute_loss(mention_encodings, mention_batch_positions, mention_ids, self.mention_target_ids_stacked, self.mention_target_is_masked_stacked) loss_sharded = jnp.sum(loss_sharded) - metrics_sharded = jax.tree_map(jnp.sum, metrics_sharded) + metrics_sharded = jax.tree.map(jnp.sum, metrics_sharded) self.assertAlmostEqual(loss_sharded, loss_stacked, places=2) for metric_group_name in metrics_stacked: @@ -424,7 +424,7 @@ def compute_loss(mention_encodings, mention_batch_positions, mention_ids, expected_unnorm_avg_scores += total_unnorm_avg_scores[i] expected_avg_norms += np.linalg.norm(self.mention_encodings_stacked[i]) - metrics_sharded = jax.tree_map(jnp.sum, metrics_sharded) + metrics_sharded = jax.tree.map(jnp.sum, metrics_sharded) metrics_sharded_masked = metrics_sharded[self.metrics_prefix + 'mtb_masked'] metrics_sharded_non_masked = metrics_sharded[self.metrics_prefix + 'mtb_non_masked'] @@ -486,7 +486,7 @@ def loss_fn_multi_device(mention_encodings, mention_batch_positions, 'dot', self.mention_target_is_masked_stacked, self.metrics_prefix) loss_sharded = jnp.sum(loss_sharded) - metrics_sharded = jax.tree_map(jnp.sum, metrics_sharded) + metrics_sharded = jax.tree.map(jnp.sum, metrics_sharded) self.assertAlmostEqual(loss_sharded, loss_stacked, places=2) for metric_group_name in metrics_stacked: diff --git a/language/mentionmemory/tasks/eae_task_test.py b/language/mentionmemory/tasks/eae_task_test.py index 3230258f..361a1737 100644 --- a/language/mentionmemory/tasks/eae_task_test.py +++ b/language/mentionmemory/tasks/eae_task_test.py @@ -124,7 +124,7 @@ def test_loss_fn(self, text_length, n_mentions, n_linked_mentions, for key, value in processed_example.items() } batch = collater_fn(batch) - batch = jax.tree_map(np.asarray, batch) + batch = jax.tree.map(np.asarray, batch) loss_fn = eae_task.EaETask.make_loss_fn(config) _, metrics, auxiliary_output = loss_fn( diff --git a/language/mentionmemory/tasks/mauto_task_test.py b/language/mentionmemory/tasks/mauto_task_test.py index f6bbfc3b..6e8f737e 100644 --- a/language/mentionmemory/tasks/mauto_task_test.py +++ b/language/mentionmemory/tasks/mauto_task_test.py @@ -138,7 +138,7 @@ def test_loss_fn(self): self.config) batch = collate_fn(self.raw_batch) - batch = jax.tree_map(np.asarray, batch) + batch = jax.tree.map(np.asarray, batch) model = mauto_task.MautoTask.build_model(self.model_config) diff --git a/language/mentionmemory/tasks/memory_generation_task_test.py b/language/mentionmemory/tasks/memory_generation_task_test.py index 53a86faa..99820d73 100644 --- a/language/mentionmemory/tasks/memory_generation_task_test.py +++ b/language/mentionmemory/tasks/memory_generation_task_test.py @@ -122,7 +122,7 @@ def test_prediction_fn(self, text_length, n_mentions, n_linked_mentions): for key, value in processed_example.items() } batch = collater_fn(batch) - batch = jax.tree_map(np.asarray, batch) + batch = jax.tree.map(np.asarray, batch) predict_fn = memory_generation_task.MemoryGenerationTask.make_prediction_fn( config) diff --git a/language/mentionmemory/tasks/mention_memory_task_test.py b/language/mentionmemory/tasks/mention_memory_task_test.py index d56954fc..6a9ab07c 100644 --- a/language/mentionmemory/tasks/mention_memory_task_test.py +++ b/language/mentionmemory/tasks/mention_memory_task_test.py @@ -250,7 +250,7 @@ def sample_batch(): True, ) - metrics_per_first_device = jax.tree_map(lambda x: x[0], metrics) + metrics_per_first_device = jax.tree.map(lambda x: x[0], metrics) self.assertEqual(metrics_per_first_device['mlm']['denominator'], batch['mlm_target_weights'][0].sum()) diff --git a/language/mentionmemory/tasks/readtwice_task_test.py b/language/mentionmemory/tasks/readtwice_task_test.py index f005e902..7084e70c 100644 --- a/language/mentionmemory/tasks/readtwice_task_test.py +++ b/language/mentionmemory/tasks/readtwice_task_test.py @@ -228,8 +228,8 @@ def test_loss_fn( ) take_first = lambda x: x[0] - metrics = jax.tree_map(take_first, metrics) - np_batch = jax.tree_map(take_first, batch) + metrics = jax.tree.map(take_first, metrics) + np_batch = jax.tree.map(take_first, batch) # mlm losses expected_mlm_denom = np_batch['mlm_target_weights'].sum() diff --git a/language/mentionmemory/tasks/relation_classifier_task_test.py b/language/mentionmemory/tasks/relation_classifier_task_test.py index e7d25a5f..a4257edc 100644 --- a/language/mentionmemory/tasks/relation_classifier_task_test.py +++ b/language/mentionmemory/tasks/relation_classifier_task_test.py @@ -214,7 +214,7 @@ def test_loss_fn(self, per_device_batch_size, max_mentions_per_sample, config) batch = collater_fn(raw_batch) - batch = jax.tree_map(jnp.asarray, batch) + batch = jax.tree.map(jnp.asarray, batch) self.assertSequenceEqual(batch['mention_target_weights'].shape, [2 * config.per_device_batch_size]) diff --git a/language/mentionmemory/tasks/text_classifier_test.py b/language/mentionmemory/tasks/text_classifier_test.py index ecee547f..83d2e347 100644 --- a/language/mentionmemory/tasks/text_classifier_test.py +++ b/language/mentionmemory/tasks/text_classifier_test.py @@ -164,7 +164,7 @@ def test_loss_fn(self, n_mentions, apply_mlp=False): config['model_config']['apply_mlp'] = apply_mlp raw_batch = self._gen_raw_batch(n_mentions) batch = self.collater_fn(raw_batch) - batch = jax.tree_map(np.asarray, batch) + batch = jax.tree.map(np.asarray, batch) loss_fn = text_classifier.TextClassifier.make_loss_fn(config) _, metrics, auxiliary_output = loss_fn( diff --git a/language/mentionmemory/tasks/ultra_fine_entity_typing_task_test.py b/language/mentionmemory/tasks/ultra_fine_entity_typing_task_test.py index a3f8a848..912a3d4e 100644 --- a/language/mentionmemory/tasks/ultra_fine_entity_typing_task_test.py +++ b/language/mentionmemory/tasks/ultra_fine_entity_typing_task_test.py @@ -140,12 +140,13 @@ def test_reproduce_paper_evals(self, num_chunks): predictions = self.predictions[chunk_start:chunk_end] current_metrics = ultra_fine_entity_typing_task.get_prediction_recall_metrics( labels, predictions) - current_metrics = jax.tree_map(lambda x: jnp.expand_dims(x, 0), - current_metrics) + current_metrics = jax.tree.map( + lambda x: jnp.expand_dims(x, 0), current_metrics + ) metrics.append(current_metrics) metrics = common_utils.get_metrics(metrics) - metrics_sum = jax.tree_map(jnp.sum, metrics) + metrics_sum = jax.tree.map(jnp.sum, metrics) processed_metrics = metric_utils.process_metrics(metrics_sum) self.assertAlmostEqual( processed_metrics['total_precision_value'], 0.481, places=3) @@ -294,7 +295,7 @@ def test_loss_fn(self, per_device_batch_size, max_mentions_per_sample, config) batch = collater_fn(raw_batch) - batch = jax.tree_map(jnp.asarray, batch) + batch = jax.tree.map(jnp.asarray, batch) self.assertSequenceEqual(batch['mention_target_weights'].shape, [config.per_device_batch_size]) diff --git a/language/mentionmemory/training/trainer.py b/language/mentionmemory/training/trainer.py index 2cd0d109..f6a2bb8f 100644 --- a/language/mentionmemory/training/trainer.py +++ b/language/mentionmemory/training/trainer.py @@ -97,7 +97,7 @@ def evaluate( eval_metrics = [] eval_auxiliary = [] for batch in eval_data: - batch = jax.tree_map(jnp.asarray, batch) + batch = jax.tree.map(jnp.asarray, batch) metrics, auxiliary_output = eval_step_fn( train_state, model_vars, @@ -107,7 +107,7 @@ def evaluate( batch_auxiliary = (jax.device_get(batch), jax.device_get(auxiliary_output)) eval_auxiliary.append(batch_auxiliary) eval_metrics = common_utils.get_metrics(eval_metrics) - eval_metrics_sums = jax.tree_map(jnp.sum, eval_metrics) + eval_metrics_sums = jax.tree.map(jnp.sum, eval_metrics) eval_summary = metric_utils.process_metrics(eval_metrics_sums, prefix='eval') return eval_summary, eval_auxiliary @@ -351,7 +351,7 @@ def train(config: ml_collections.ConfigDict): # Shard data to devices and perform a training step. with jax.profiler.StepTraceAnnotation('train', step_num=step): - batch = jax.tree_map(jnp.asarray, train_iter.get_next()) + batch = jax.tree.map(jnp.asarray, train_iter.get_next()) train_state, metrics = p_train_step( train_state, model_vars, @@ -370,7 +370,7 @@ def train(config: ml_collections.ConfigDict): with report_progress.timed('training_metrics'): logging.info('Gathering training metrics.') train_metrics = common_utils.get_metrics(train_metrics) - metrics_sums = jax.tree_map(jnp.sum, train_metrics) + metrics_sums = jax.tree.map(jnp.sum, train_metrics) summary = metric_utils.process_metrics(metrics_sums, prefix='train') summary['learning_rate'] = learning_rate_fn(step) diff --git a/language/mentionmemory/utils/checkpoint_utils.py b/language/mentionmemory/utils/checkpoint_utils.py index 1a1aef47..ce23e2a4 100644 --- a/language/mentionmemory/utils/checkpoint_utils.py +++ b/language/mentionmemory/utils/checkpoint_utils.py @@ -40,7 +40,7 @@ def load_weights(weight_path: str) -> Dict[str, Any]: logging.info('Loading weights from %s', weight_path) with gfile.GFile(weight_path, 'rb') as fp: params = serialization.from_bytes(None, fp.read()) - return jax.tree_map(jnp.asarray, params) + return jax.tree.map(jnp.asarray, params) def flatten_nested_dict(x: Dict[str, Any], diff --git a/language/mentionmemory/utils/checkpoint_utils_test.py b/language/mentionmemory/utils/checkpoint_utils_test.py index 4c80c067..cce0bf16 100644 --- a/language/mentionmemory/utils/checkpoint_utils_test.py +++ b/language/mentionmemory/utils/checkpoint_utils_test.py @@ -62,7 +62,7 @@ def test_saving_loading_weights_returns_original(self): arrayeq = lambda x, y: jnp.all(x == y) self.assertTrue( - jax.tree_map( + jax.tree.map( arrayeq, loaded_params, flax.core.unfreeze(initial_variables['params']), diff --git a/language/mentionmemory/utils/metric_utils.py b/language/mentionmemory/utils/metric_utils.py index acf74343..df6ad976 100644 --- a/language/mentionmemory/utils/metric_utils.py +++ b/language/mentionmemory/utils/metric_utils.py @@ -277,7 +277,7 @@ def update_value_dtype(value: Any) -> Any: def update_metrics_dtype( metrics: Dict[str, Dict[str, Any]]) -> Dict[str, Dict[str, Any]]: """Convert metrics to more precise types.""" - return jax.tree_map(update_value_dtype, metrics) + return jax.tree.map(update_value_dtype, metrics) def process_metrics( diff --git a/language/multivec/models/export_to_tfhub.py b/language/multivec/models/export_to_tfhub.py index c11c8edd..1598d3de 100644 --- a/language/multivec/models/export_to_tfhub.py +++ b/language/multivec/models/export_to_tfhub.py @@ -23,8 +23,9 @@ --num_vec_passage=${NUM_DOC_VEC} \ --projection_size=${PROJECTION_SIZE} -tfhub publish-module $HUB_DIR/$MODEL_NAME. +tfhub publish-module $HUB_DIR/$MODEL_NAME $HUB_HANDLE. """ + import os from absl import app diff --git a/language/quest/README.md b/language/quest/README.md index 28c573d3..4c22764a 100644 --- a/language/quest/README.md +++ b/language/quest/README.md @@ -42,9 +42,14 @@ Each examples file contains newline-separated json dictionaries with the followi attributions are a list of dictionaries mapping a query substring to a document substring. +We also provide the set of atomic queries used to construct the dataset for +analysis purposes: + +* https://storage.googleapis.com/gresearch/quest/all_categories_filtered.csv + ## Document Corpus -The document corpus is at https://storage.googleapis.com/gresearch/quest/documents.jsonl. Note that this file is quite large +The document corpus is at https://storage.googleapis.com/gresearch/quest/documents.zip. Note that this file when uncompressed is quite large (899MB). The format is newline separated json dicts containing `title` and `text`. @@ -60,3 +65,21 @@ Code and documentation for various baseline systems are in the following sub-dir * `t5xr/` - Dual encoder based on `t5x_retrieval` library. * `xattn/` - T5-based cross-attention classifier. +# License + +All code *and* models are released under the Apache 2.0 license. See the +[LICENSE](https://github.com/google-research/language/blob/master/LICENSE) file for more information. + +## Citing this work + +You can cite this work as: + +``` +@inproceedings{malaviya2023quest, + title={QUEST: A Retrieval Dataset of Entity-Seeking Queries with Implicit Set Operations}, + author={Malaviya, Chaitanya and Shaw, Peter and Chang, Ming-Wei and Lee, Kenton and Toutanova, Kristina}, + booktitle={Proceedings of the 61st Annual Meeting of the Association for Computational Linguistics (Volume 1: Long Papers)}, + pages={14032--14047}, + year={2023} +} +``` diff --git a/language/serene/fever_tfds.py b/language/serene/fever_tfds.py index 7f16595b..c12fd1fb 100644 --- a/language/serene/fever_tfds.py +++ b/language/serene/fever_tfds.py @@ -136,9 +136,9 @@ def __init__( self._ukp_docs_dev_path = ukp_docs_dev self._ukp_docs_test_path = ukp_docs_test self._max_inference_sentence_id = max_inference_sentence_id - self._wiki_db: Optional[wiki_db.WikiDatabase] = None - self._wiki_titles: Optional[Set[Text]] = None - self._matcher: Optional[text_matcher.TextMatcher] = None + self._wiki_db: wiki_db.WikiDatabase = None + self._wiki_titles: Tuple[Text, Ellipsis] = None + self._matcher: text_matcher.TextMatcher = None self._drqa_scrape_table: Optional[collections.ChainMap] = None self._lucene_scrape_table: Optional[collections.ChainMap] = None self._name_to_scrape: Optional[Text, collections.ChainMap] = None # pytype: disable=invalid-annotation # attribute-variable-annotations @@ -162,7 +162,7 @@ def setup(self): self._claim_to_fold[claim['id']] = 'test' self._wiki_db = wiki_db.WikiDatabase.from_local(self._wiki_db_path) - self._wiki_titles = set(self._wiki_db.get_wikipedia_urls()) + self._wiki_titles = tuple(set(self._wiki_db.get_wikipedia_urls())) self._matcher = text_matcher.TextMatcher() self._matcher.load(self._text_matcher_params_path) @@ -340,7 +340,6 @@ def _get_background_candidates( while True: if len(background_candidates) >= self._n_background_negatives: break - # sample works on sets, choice does not wikipedia_url = random.sample(self._wiki_titles, 1)[0] if wikipedia_url in used_wikipedia_urls: continue diff --git a/language/serene/training.py b/language/serene/training.py index 99711a18..f3429009 100644 --- a/language/serene/training.py +++ b/language/serene/training.py @@ -266,6 +266,8 @@ def _save_model_config(self): def _save_encoder(self): """Save only the text encoder to disk.""" + if self._encoder is None: + raise ValueError('Encoder is not initialized.') self._encoder.save_to_file( os.path.join(self._model_config.model_checkpoint, 'text_encoder')) @@ -282,7 +284,10 @@ def _init_strategy(self): if self._tpu is not None: resolver = distribute_utils.tpu_initialize(self._tpu) self._strategy = tf.distribute.experimental.TPUStrategy(resolver) - elif self._distribution_strategy is None or self._distribution_strategy == 'default': + elif ( + self._distribution_strategy is None + or self._distribution_strategy == 'default' + ): self._strategy = tf.distribute.get_strategy() elif self._distribution_strategy == 'cpu': self._strategy = tf.distribute.OneDeviceStrategy('/device:cpu:0') @@ -366,6 +371,7 @@ def _compile(self): """Compile the keras model using the correct scope.""" # pylint: disable=protected-access self._init_strategy() + assert self._strategy is not None with self._strategy.scope(): if self._model_config.model == 'two_tower': module_model = model.TwoTowerRanker( @@ -390,6 +396,8 @@ def _compile(self): classify_claim=self._model_config.classify_claim, ) self._inner_model = module_model + if self._encoder is None: + raise ValueError('Encoder is not initialized.') # This hackery is necessary since keras doesn't handle dictionary inputs # well, so we have to manually specify input/output output shapes. Since # this is dependent on the model (e.g., bert vs other), let the encoder @@ -437,9 +445,9 @@ def _compile(self): tf.keras.metrics.SparseCategoricalAccuracy(name='accuracy'), ] metrics['claim_classification'] = claim_metrics - loss[ - 'claim_classification'] = tf.keras.losses.SparseCategoricalCrossentropy( - from_logits=False) + loss['claim_classification'] = ( + tf.keras.losses.SparseCategoricalCrossentropy(from_logits=False) + ) else: loss['claim_classification'] = losses.ZeroLoss() metrics['claim_classification'] = [] @@ -504,6 +512,8 @@ def train(self, if epochs is None: epochs = self._model_config.max_epochs + if self._model is None: + raise ValueError('Model is not initialized.') self._model.fit( train_batched, validation_data=val_batched, @@ -531,6 +541,8 @@ def _save_dev_predictions(self, val_batched): val_batched: The batched validation set. """ unbatched = val_batched.unbatch() + if self._model is None: + raise ValueError('Model is not initialized.') model_predictions = self._model.predict(val_batched) claim_probs = model_predictions['claim_classification'] evidence_probs = model_predictions['evidence_matching'] @@ -761,6 +773,8 @@ def _batch_dataset(self, dataset): Returns: A batched dataset with correct padding shapes. """ + if self._encoder is None: + raise ValueError('Cannot batch dataset without an encoder.') return dataset.padded_batch( batch_size=self._model_config.batch_size, padded_shapes=( @@ -776,6 +790,8 @@ def _encode_dataset(self, filter_claims=True, filter_evidence=True): """Convert the tfds dataset to numbers by tokenizing/embedding.""" + if self._encoder is None: + raise ValueError('Cannot encode dataset without an encoder.') encode = self._encoder.build_encoder_fn() encoded_data = dataset.map( encode, num_parallel_calls=tf.data.experimental.AUTOTUNE) @@ -833,6 +849,8 @@ def _build_vocab(self, dataset): return vocab def _tokenize_example(self, example): + if self._tokenizer is None: + raise ValueError('Cannot tokenize example without a tokenizer.') tokenized_claim = self._tokenizer.tokenize( example['claim_text'].numpy().decode('utf8')) tokenized_evidence = self._tokenizer.tokenize( diff --git a/language/serene/wiki_index.py b/language/serene/wiki_index.py index d3f3722d..ff623675 100644 --- a/language/serene/wiki_index.py +++ b/language/serene/wiki_index.py @@ -319,6 +319,8 @@ def score_claim_to_wiki(self, n = 5): Top ranked wikipedia sentences per claim """ logging.info('TF Initializing') + if self._claim_embeddings is None: + raise ValueError('Claim embeddings are not loaded') with tf.device(self._device): idx = 0 top_idx = [] diff --git a/language/serene/wiki_tfds.py b/language/serene/wiki_tfds.py index 18df9211..273948f8 100644 --- a/language/serene/wiki_tfds.py +++ b/language/serene/wiki_tfds.py @@ -29,7 +29,7 @@ def __init__(self, *, max_sentence_id, wiki_db_path): super().__init__() self._max_sentence_id = max_sentence_id self._wiki_db_path = wiki_db_path - self._db: Optional[wiki_db.WikiDatabase] = None + self._db: wiki_db.WikiDatabase = None def setup(self): self._db = wiki_db.WikiDatabase.from_local(self._wiki_db_path)