From 3aef81d0797938a2945252ec01576c07ce4c0917 Mon Sep 17 00:00:00 2001 From: "Gustavo A. Bastian" Date: Thu, 3 Oct 2024 13:40:02 -0300 Subject: [PATCH] feat: adding locale to word module (#932) * generating a new adjetive signature for adding information of locale * adding more tables * adding new function wordsL * adding more words to data * change functions names, fixing test not passing * adding check if locale is in map or not * signature for functions * generating all test * using en_US words structure for general functions * using span for main structures of data * adding portuguese words * adding french words * adding test * modify changelog * adding parametrized test * fixing use fmt and GTest from System * spelling * reverting modification in internet.cpp * spell correction * using correct function in test * check if the locale is defined using idiomsMapSpan structure, if not using default en_US. * unsing auto in parameterized tests * change functions descriptions * removing duplicate functions * removing extre newlines in tests * adding const in test values. * removing option in words with (length<=256), and s capture the dataset in the test --- CHANGELOG.md | 1 + include/faker-cxx/word.h | 76 +- src/modules/word.cpp | 223 +- src/modules/word_data.h | 340 +- src/modules/word_store.h | 29183 +++++++++++++++++++++++++++++++++- tests/modules/word_test.cpp | 459 +- 6 files changed, 30169 insertions(+), 113 deletions(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index fca5a305..6a8f5025 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -16,6 +16,7 @@ All notable changes to this project will be documented in this file * added locale to `weather` module * added locale to `color` module * added locale to `vehicle` module +* added locale to `word` module ## v3.0.0 (28.08.2024) diff --git a/include/faker-cxx/word.h b/include/faker-cxx/word.h index 5ec10277..93eedd63 100644 --- a/include/faker-cxx/word.h +++ b/include/faker-cxx/word.h @@ -8,13 +8,17 @@ #include "faker-cxx/export.h" #include "faker-cxx/helper.h" +#include "faker-cxx/types/locale.h" + namespace faker::word { + /** * @brief Returns a random . * * @param length The expected length of the . - * If no with given length will be found, it will return a random . + * If no word with given length will be found or length is 0, it will return a random size word. + * @param locale The locale. Defaults to `Locale::en_US`. * * @returns Random sample word. * @@ -23,12 +27,13 @@ namespace faker::word * faker::word::sample(5) // "spell" * @endcode */ -FAKER_CXX_EXPORT std::string_view sample(std::optional length = std::nullopt); +FAKER_CXX_EXPORT std::string_view sample(std::optional length = std::nullopt,const Locale locale = Locale::en_US); /** * @brief Returns a string containing a number of space separated random words. * * @param numberOfWords The number of words to generate. + * @param locale The locale. Defaults to `Locale::en_US`. * * @returns Random words separated with spaces. * @@ -37,13 +42,16 @@ FAKER_CXX_EXPORT std::string_view sample(std::optional length = std::n * faker::word::words(5) // "before hourly patiently dribble equal" * @endcode */ -FAKER_CXX_EXPORT std::string words(unsigned numberOfWords = 1); +FAKER_CXX_EXPORT std::string words(unsigned numberOfWords = 1,const Locale locale = Locale::en_US); + + /** * @brief Returns a random adjective. * * @param length The expected length of the word. - * If no word with given length will be found, it will return a random word. + * If no adjective with given length will be found or length is 0, it will return a random size adjective. + * @param locale The locale. Defaults to `Locale::en_US`. * * @returns Adjective. * @@ -52,13 +60,31 @@ FAKER_CXX_EXPORT std::string words(unsigned numberOfWords = 1); * faker::word::adjective(3) // "bad" * @endcode */ -FAKER_CXX_EXPORT std::string_view adjective(std::optional length = std::nullopt); +FAKER_CXX_EXPORT std::string_view adjective(std::optional length = std::nullopt,const Locale locale = Locale::en_US); + + +/** + * @brief Returns a random adjective, using locale. + * + * @param length The expected length of the word. + * If no adjective with given length will be found or length is 0, it will return a random size adjective. + * @param locale The locale. Defaults to `Locale::en_US`. + * + * @returns Adjective. + * + * @code + * faker::word::adjective() // "complete" + * faker::word::adjective(3) // "bad" + * @endcode + */ +FAKER_CXX_EXPORT std::string_view adjectiveLocale(unsigned length = 0,const Locale locale = Locale::en_US); /** * @brief Returns a random adverb. * * @param length The expected length of the word. - * If no word with given length will be found, it will return a random word. + * If no adverb with given length will be found or length is 0, it will return a random size adverb. + * @param locale The locale. Defaults to `Locale::en_US`. * * @returns Adverb. * @@ -67,13 +93,15 @@ FAKER_CXX_EXPORT std::string_view adjective(std::optional length = std * faker::word::adverb(5) // "almost" * @endcode */ -FAKER_CXX_EXPORT std::string_view adverb(std::optional length = std::nullopt); +FAKER_CXX_EXPORT std::string_view adverb(std::optional length = std::nullopt,const Locale locale = Locale::en_US); + /** * @brief Returns a random conjunction. * - * @param length The expected length of the word. - * If no word with given length will be found, it will return a random word. + * @param length The expected length of the word. + * If no conjunction with given length will be found or length is 0, it will return a random size conjunction. + * @param locale The locale. Defaults to `Locale::en_US`. * * @returns Conjunction. * @@ -82,13 +110,16 @@ FAKER_CXX_EXPORT std::string_view adverb(std::optional length = std::n * faker::word::conjunction(6) // "indeed" * @endcode */ -FAKER_CXX_EXPORT std::string_view conjunction(std::optional length = std::nullopt); +FAKER_CXX_EXPORT std::string_view conjunction(std::optional length = std::nullopt,const Locale locale = Locale::en_US); + + /** * @brief Returns a random interjection. * * @param length The expected length of the word. - * If no word with given length will be found, it will return a random word. + * If no interjection with given length is found or length is 0, it will return a random size interjection. + * @param locale The locale. Defaults to `Locale::en_US`. * * @returns Interjection. * @@ -97,13 +128,16 @@ FAKER_CXX_EXPORT std::string_view conjunction(std::optional length = s * faker::word::interjection(4) // "yuck" * @endcode */ -FAKER_CXX_EXPORT std::string_view interjection(std::optional length = std::nullopt); +FAKER_CXX_EXPORT std::string_view interjection(std::optional length = std::nullopt,const Locale locale = Locale::en_US); + + /** * @brief Returns a random noun. * * @param length The expected length of the word. - * If no word with given length will be found, it will return a random word. + * If no noun with given length is found or length is 0, it will return a random size noun. + * @param locale The locale. Defaults to `Locale::en_US`. * * @returns Noun. * @@ -112,13 +146,15 @@ FAKER_CXX_EXPORT std::string_view interjection(std::optional length = * faker::word::noun(8) // "distance" * @endcode */ -FAKER_CXX_EXPORT std::string_view noun(std::optional length = std::nullopt); +FAKER_CXX_EXPORT std::string_view noun(std::optional length = std::nullopt,const Locale locale = Locale::en_US); + /** * @brief Returns a random preposition. * * @param length The expected length of the word. - * If no word with given length will be found, it will return a random word. + * If no preposition with given length is found or length is 0, it will return a random size preposition. + * @param locale The locale. Defaults to `Locale::en_US`. * * @returns Preposition. * @@ -127,13 +163,15 @@ FAKER_CXX_EXPORT std::string_view noun(std::optional length = std::nul * faker::word::preposition(4) // "from" * @endcode */ -FAKER_CXX_EXPORT std::string_view preposition(std::optional length = std::nullopt); +FAKER_CXX_EXPORT std::string_view preposition(std::optional length = std::nullopt,const Locale locale = Locale::en_US); + /** * @brief Returns a random verb. * * @param length The expected length of the word. - * If no word with given length will be found, it will return a random word. + * If no verb with given length is found or length is 0, it will return a random size verb. + * @param locale The locale. Defaults to `Locale::en_US`. * * @returns Verb. * @@ -142,12 +180,14 @@ FAKER_CXX_EXPORT std::string_view preposition(std::optional length = s * faker::word::verb(9) // "stabilise" * @endcode */ -FAKER_CXX_EXPORT std::string_view verb(std::optional length = std::nullopt); +FAKER_CXX_EXPORT std::string_view verb(std::optional length = std::nullopt,const Locale locale = Locale::en_US); + /** * @brief Returns random element of length * * @param length The length of the elements to be picked from + * @param locale The locale. Defaults to `Locale::en_US`. * * @ range The range of elements * diff --git a/src/modules/word.cpp b/src/modules/word.cpp index 27b012fc..42505370 100644 --- a/src/modules/word.cpp +++ b/src/modules/word.cpp @@ -1,100 +1,215 @@ #include "faker-cxx/word.h" #include +#include #include #include #include +#include "faker-cxx/types/locale.h" #include "word_data.h" namespace faker::word { -std::string_view sample(std::optional length) + +std::string_view sample( std::optional length,const Locale locale) { - return sortedSizeRandomElement(length, _allWords); + unsigned int aux_length{0}; + if(length) + { + aux_length=length.value(); + } + else + { + aux_length=100; + } + auto localeLocal = locale; + + if(idiomsMapSpan.find(locale)==idiomsMapSpan.end()) + { + localeLocal = Locale::en_US; + } + + auto sorted= _allWords_map.at(localeLocal); + return sortedSizeRandomElement(aux_length, sorted); } -std::string words(unsigned numberOfWords) +std::string words(unsigned numberOfWords,const Locale locale) { if (numberOfWords == 0) { return ""; } - - std::string combined_words; - if (numberOfWords <= 256) - { - std::array tmp{}; // fitting 1024 bytes worth of integers* - const size_t last_index = _allWords.size() - 1; - size_t reserve_size = 0; - - for (unsigned i = 0; i < numberOfWords; i++) - { - tmp[i] = number::integer(last_index); - auto vw = _allWords[tmp[i]]; - reserve_size += vw.size(); - } - - unsigned space_words = (numberOfWords - 1); - combined_words.reserve(reserve_size + (numberOfWords - 1)); - for (unsigned i = 0; i < space_words; i++) - { - auto vw = _allWords[tmp[i]]; - combined_words.append(vw.begin(), vw.end()); - combined_words.push_back(' '); - } - auto vw = _allWords[tmp[numberOfWords - 1]]; - combined_words.append(vw.begin(), vw.end()); + auto localeExt = locale; + + if(idiomsMapSpan.find(locale)==idiomsMapSpan.end()) + { + localeExt = Locale::en_US; } - else + std::string combined_words; + + unsigned space_words = (numberOfWords - 1); + for (unsigned i = 0; i < space_words; i++) { - unsigned space_words = (numberOfWords - 1); - for (unsigned i = 0; i < space_words; i++) - { - auto s = sample(); - combined_words.append(s.begin(), s.end()); - combined_words.push_back(' '); - } - - auto s = sample(); + auto s = sample(1, localeExt); combined_words.append(s.begin(), s.end()); + combined_words.push_back(' '); } + auto s = sample(1, localeExt); + combined_words.append(s.begin(), s.end()); + + return combined_words; } -std::string_view adjective(std::optional length) -{ - return sortedSizeRandomElement(length, _adjectives_sorted); +std::string_view adjective(std::optional length,const Locale locale) +{ + unsigned int aux_length{0}; + if(length) + { + aux_length=length.value(); + } + else + { + aux_length=0; + } + auto localeLocal = locale; + + if(idiomsMapSpan.find(locale)==idiomsMapSpan.end()) + { + localeLocal = Locale::en_US; + } + auto sorted= _adjetives_sorted_map.at(localeLocal); + return sortedSizeRandomElement(aux_length, sorted); } -std::string_view adverb(std::optional length) +std::string_view adverb(std::optional length, const Locale locale) { - return sortedSizeRandomElement(length, _adverbs_sorted); + unsigned int aux_length{0}; + if(length) + { + aux_length=length.value(); + } + else + { + aux_length=0; + } + auto localeLocal = locale; + + if(idiomsMapSpan.find(locale)==idiomsMapSpan.end()) + { + localeLocal = Locale::en_US; + } + auto sorted= _adverbs_sorted_map.at(localeLocal); + return sortedSizeRandomElement(aux_length, sorted); } -std::string_view conjunction(std::optional length) +std::string_view conjunction(std::optional length, const faker::Locale locale) { - return sortedSizeRandomElement(length, _conjunctions_sorted); + unsigned int aux_length{0}; + if(length) + { + aux_length=length.value(); + } + else + { + aux_length=0; + } + auto localeLocal = locale; + + if(idiomsMapSpan.find(locale)==idiomsMapSpan.end()) + { + localeLocal = Locale::en_US; + } + auto sorted= _conjunctions_sorted_map.at(localeLocal); + return sortedSizeRandomElement(aux_length, sorted); } -std::string_view interjection(std::optional length) +std::string_view interjection(std::optional length, const faker::Locale locale) { - return sortedSizeRandomElement(length, _interjections_sorted); + unsigned int aux_length{0}; + if(length) + { + aux_length=length.value(); + } + else + { + aux_length=0; + } + auto localeLocal = locale; + + if(idiomsMapSpan.find(locale)==idiomsMapSpan.end()) + { + localeLocal = Locale::en_US; + } + auto sorted= _interjections_sorted_map.at(localeLocal); + return sortedSizeRandomElement(aux_length, sorted); } -std::string_view noun(std::optional length) +std::string_view noun(std::optional length, const Locale locale) { - return sortedSizeRandomElement(length, _nouns_sorted); + unsigned int aux_length{0}; + if(length) + { + aux_length=length.value(); + } + else + { + aux_length=0; + } + auto localeLocal = locale; + + if(idiomsMapSpan.find(locale)==idiomsMapSpan.end()) + { + localeLocal = Locale::en_US; + } + + auto sorted= _nouns_sorted_map.at(localeLocal); + return sortedSizeRandomElement(aux_length, sorted); } -std::string_view preposition(std::optional length) +std::string_view preposition(std::optional length, const Locale locale) { - return sortedSizeRandomElement(length, _prepositions_sorted); + unsigned int aux_length{0}; + if(length) + { + aux_length=length.value(); + } + else + { + aux_length=0; + } + auto localeLocal = locale; + + if(idiomsMapSpan.find(locale)==idiomsMapSpan.end()) + { + localeLocal = Locale::en_US; + } + + auto sorted=_prepositions_sorted_map.at(localeLocal); + return sortedSizeRandomElement(aux_length, sorted); } -std::string_view verb(std::optional length) -{ - return sortedSizeRandomElement(length, _verbs_sorted); +std::string_view verb(std::optional length, const Locale locale) +{ + unsigned int aux_length{0}; + if(length) + { + aux_length=length.value(); + } + else + { + aux_length=0; + } + auto localeLocal = locale; + + if(idiomsMapSpan.find(locale)==idiomsMapSpan.end()) + { + localeLocal = Locale::en_US; + } + auto sorted=(_verbs_sorted_map).at(localeLocal); + return sortedSizeRandomElement(aux_length, sorted); } + } diff --git a/src/modules/word_data.h b/src/modules/word_data.h index dd3f2e77..7ecd6409 100644 --- a/src/modules/word_data.h +++ b/src/modules/word_data.h @@ -1,11 +1,13 @@ #pragma once - +#include #include +#include +#include #include #include #include "word_store.h" - +#include "faker-cxx/types/locale.h" namespace faker::word { // https://tristanbrindle.com/posts/a-more-useful-compile-time-quicksort @@ -76,52 +78,52 @@ constexpr void quick_sort(RAIt first, RAIt last, Compare cmp = Compare{}) quick_sort(middle2, last, cmp); } -const std::array +const std::array _allWords = []() { - std::array + std::array table{}; size_t idx = 0; - for (const auto& v : adjectives) + for (const auto& v : idiomsMapSpan.at(faker::Locale::en_US).adjetives) { table[idx] = v; idx++; } - for (const auto& v : adverbs) + for (const auto& v : idiomsMapSpan.at(faker::Locale::en_US).adverbs) { table[idx] = v; idx++; } - for (const auto& v : conjunctions) + for (const auto& v : idiomsMapSpan.at(faker::Locale::en_US).conjunctions) { table[idx] = v; idx++; } - for (const auto& v : interjections) + for (const auto& v : idiomsMapSpan.at(faker::Locale::en_US).interjections) { table[idx] = v; idx++; } - for (const auto& v : nouns) + for (const auto& v : idiomsMapSpan.at(faker::Locale::en_US).nouns) { table[idx] = v; idx++; } - for (const auto& v : prepositions) + for (const auto& v : idiomsMapSpan.at(faker::Locale::en_US).prepositions) { table[idx] = v; idx++; } - for (const auto& v : verbs) + for (const auto& v : idiomsMapSpan.at(faker::Locale::en_US).verbs) { table[idx] = v; idx++; @@ -131,52 +133,318 @@ const std::array> + _allWords_map = []() +{ + std::map> output; + + for (auto mapItem: idiomsMapSpan) + { + std::array + table{}; + + size_t idx = 0; + + for (const auto& v : idiomsMapSpan.at(mapItem.first).adjetives) + { + table[idx] = v; + idx++; + } + + for (const auto& v : idiomsMapSpan.at(mapItem.first).adverbs) + { + table[idx] = v; + idx++; + } + + for (const auto& v : idiomsMapSpan.at(mapItem.first).conjunctions) + { + table[idx] = v; + idx++; + } + + for (const auto& v : idiomsMapSpan.at(mapItem.first).interjections) + { + table[idx] = v; + idx++; + } + + for (const auto& v : idiomsMapSpan.at(mapItem.first).nouns) + { + table[idx] = v; + idx++; + } + + for (const auto& v : idiomsMapSpan.at(mapItem.first).prepositions) + { + table[idx] = v; + idx++; + } + + for (const auto& v : idiomsMapSpan.at(mapItem.first).verbs) + { + table[idx] = v; + idx++; + } + + quick_sort(table.begin(), table.end(), [](const auto& lhs, const auto& rhs) { return lhs.size() < rhs.size(); }); + + output.insert(std::make_pair(mapItem.first,table)); + } + + return output; +}(); + const auto _adjectives_sorted = []() { - auto sorted = adjectives; - quick_sort(sorted.begin(), sorted.end(), [](const auto& lhs, const auto& rhs) { return lhs.size() < rhs.size(); }); - return sorted; + std::map> adjetives_sorted; + for(auto i: idiomsMapSpan) + { + std::vector list; + for(auto j: i.second.adjetives) + { + list.push_back(j); + } + + quick_sort(list.begin(), list.end(), [](const auto& lhs, const auto& rhs) { return lhs.size() < rhs.size(); }); + adjetives_sorted.insert(std::make_pair(i.first,list)); + } + + return adjetives_sorted.at(faker::Locale::en_US); +}(); + +const auto _adjetives_sorted_map = []() +{ + std::map> adjetives_sorted; + for(auto i: idiomsMapSpan) + { + std::vector list; + for(auto j: i.second.adjetives) + { + list.push_back(j); + } + + quick_sort(list.begin(), list.end(), [](const auto& lhs, const auto& rhs) { return lhs.size() < rhs.size(); }); + adjetives_sorted.insert(std::make_pair(i.first,list)); + } + + return adjetives_sorted; }(); const auto _adverbs_sorted = []() { - auto sorted = adverbs; - quick_sort(sorted.begin(), sorted.end(), [](const auto& lhs, const auto& rhs) { return lhs.size() < rhs.size(); }); - return sorted; + std::map> adverbs_sorted; + for(auto i: idiomsMapSpan) + { + std::vector list; + for(auto j: i.second.adverbs) + { + list.push_back(j); + } + + quick_sort(list.begin(), list.end(), [](const auto& lhs, const auto& rhs) { return lhs.size() < rhs.size(); }); + adverbs_sorted.insert(std::make_pair(i.first,list)); + } + return adverbs_sorted.at(faker::Locale::en_US); +}(); +const auto _adverbs_sorted_map = []() +{ + std::map> adverbs_sorted; + for(auto i: idiomsMapSpan) + { + std::vector list; + for(auto j: i.second.adverbs) + { + list.push_back(j); + } + + quick_sort(list.begin(), list.end(), [](const auto& lhs, const auto& rhs) { return lhs.size() < rhs.size(); }); + adverbs_sorted.insert(std::make_pair(i.first,list)); + } + return adverbs_sorted; }(); const auto _conjunctions_sorted = []() -{ - auto sorted = conjunctions; - quick_sort(sorted.begin(), sorted.end(), [](const auto& lhs, const auto& rhs) { return lhs.size() < rhs.size(); }); - return sorted; +{ + std::map> conjunctions_sorted; + for(auto i: idiomsMapSpan) + { + std::vector list; + for(auto j: i.second.conjunctions) + { + list.push_back(j); + } + + quick_sort(list.begin(), list.end(), [](const auto& lhs, const auto& rhs) { return lhs.size() < rhs.size(); }); + conjunctions_sorted.insert(std::make_pair(i.first,list)); + } + return conjunctions_sorted.at(faker::Locale::en_US); +}(); + +const auto _conjunctions_sorted_map = []() +{ + std::map> conjunctions_sorted; + for(auto i: idiomsMapSpan) + { + std::vector list; + for(auto j: i.second.conjunctions) + { + list.push_back(j); + } + + quick_sort(list.begin(), list.end(), [](const auto& lhs, const auto& rhs) { return lhs.size() < rhs.size(); }); + conjunctions_sorted.insert(std::make_pair(i.first,list)); + } + + + + return conjunctions_sorted; }(); const auto _interjections_sorted = []() { - auto sorted = interjections; - quick_sort(sorted.begin(), sorted.end(), [](const auto& lhs, const auto& rhs) { return lhs.size() < rhs.size(); }); - return sorted; + + std::map> interjections_sorted; + for(auto i: idiomsMapSpan) + { + std::vector list; + for(auto j: i.second.interjections) + { + list.push_back(j); + } + + quick_sort(list.begin(), list.end(), [](const auto& lhs, const auto& rhs) { return lhs.size() < rhs.size(); }); + interjections_sorted.insert(std::make_pair(i.first,list)); + } + + return interjections_sorted.at(faker::Locale::en_US); +}(); + +const auto _interjections_sorted_map = [](){ + std::map> interjections_sorted; + for(auto i: idiomsMapSpan) + { + std::vector list; + for(auto j: i.second.interjections) + { + list.push_back(j); + } + + quick_sort(list.begin(), list.end(), [](const auto& lhs, const auto& rhs) { return lhs.size() < rhs.size(); }); + interjections_sorted.insert(std::make_pair(i.first,list)); + } + return interjections_sorted; }(); const auto _nouns_sorted = []() { - auto sorted = nouns; - quick_sort(sorted.begin(), sorted.end(), [](const auto& lhs, const auto& rhs) { return lhs.size() < rhs.size(); }); - return sorted; + std::map> nouns_sorted; + for(auto i: idiomsMapSpan) + { + std::vector list; + for(auto j: i.second.nouns) + { + list.push_back(j); + } + + quick_sort(list.begin(), list.end(), [](const auto& lhs, const auto& rhs) { return lhs.size() < rhs.size(); }); + nouns_sorted.insert(std::make_pair(i.first,list)); + } + return nouns_sorted.at(faker::Locale::en_US); + +}(); + + +const auto _nouns_sorted_map = []() +{ + std::map> nouns_sorted; + for(auto i: idiomsMapSpan) + { + std::vector list; + for(auto j: i.second.nouns) + { + list.push_back(j); + } + + quick_sort(list.begin(), list.end(), [](const auto& lhs, const auto& rhs) { return lhs.size() < rhs.size(); }); + nouns_sorted.insert(std::make_pair(i.first,list)); + } + return nouns_sorted; }(); const auto _prepositions_sorted = []() { - auto sorted = prepositions; - quick_sort(sorted.begin(), sorted.end(), [](const auto& lhs, const auto& rhs) { return lhs.size() < rhs.size(); }); - return sorted; + + std::map> prepositions_sorted; + for(auto i: idiomsMapSpan) + { + std::vector list; + for(auto j: i.second.prepositions) + { + list.push_back(j); + } + + quick_sort(list.begin(), list.end(), [](const auto& lhs, const auto& rhs) { return lhs.size() < rhs.size(); }); + prepositions_sorted.insert(std::make_pair(i.first,list)); + } + return prepositions_sorted.at(faker::Locale::en_US); +}(); + + +const auto _prepositions_sorted_map = []( ) +{ + std::map> prepositions_sorted; + for(auto i: idiomsMapSpan) + { + std::vector list; + for(auto j: i.second.prepositions) + { + list.push_back(j); + } + + quick_sort(list.begin(), list.end(), [](const auto& lhs, const auto& rhs) { return lhs.size() < rhs.size(); }); + prepositions_sorted.insert(std::make_pair(i.first,list)); + } + return prepositions_sorted; }(); const auto _verbs_sorted = []() { - auto sorted = verbs; - quick_sort(sorted.begin(), sorted.end(), [](const auto& lhs, const auto& rhs) { return lhs.size() < rhs.size(); }); - return sorted; + std::map> verbs_sorted; + for(auto i: idiomsMapSpan) + { + std::vector list; + for(auto j: i.second.verbs) + { + list.push_back(j); + } + + quick_sort(list.begin(), list.end(), [](const auto& lhs, const auto& rhs) { return lhs.size() < rhs.size(); }); + verbs_sorted.insert(std::make_pair(i.first,list)); + } + return verbs_sorted.at(faker::Locale::en_US); + }(); -} + + + const auto _verbs_sorted_map = []() +{ + std::map> verbs_sorted; + for(auto i: idiomsMapSpan) + { + std::vector list; + for(auto j: i.second.verbs) + { + list.push_back(j); + } + + quick_sort(list.begin(), list.end(), [](const auto& lhs, const auto& rhs) { return lhs.size() < rhs.size(); }); + verbs_sorted.insert(std::make_pair(i.first,list)); + } + return verbs_sorted; +}(); + +} \ No newline at end of file diff --git a/src/modules/word_store.h b/src/modules/word_store.h index aa00176f..8a665032 100644 --- a/src/modules/word_store.h +++ b/src/modules/word_store.h @@ -1,8 +1,26 @@ #include +#include +#include #include +#include "faker-cxx/types/locale.h" +//Argentine/spanish data obtained from Wiktionary, https://kaikki.org/dictionary/rawdata.html +#ifndef WORD_STORE_H +#define WORD_STORE_H namespace faker::word { + +struct Idioms_Map +{ + std::span adjetives; + std::span adverbs; + std::span conjunctions; + std::span interjections; + std::span nouns; + std::span prepositions; + std::span verbs; +}; + const auto adjectives = std::to_array({ "abandoned", "able", @@ -1333,7 +1351,6 @@ const auto adjectives = std::to_array({ "zesty", "zigzag", }); - const auto adverbs = std::to_array({ "abnormally", "absentmindedly", @@ -14366,4 +14383,29166 @@ const auto verbs = std::to_array({ "zoom", }); -} +const auto enUSAdjectives = std::to_array({ + "abandoned", + "able", + "absolute", + "adorable", + "adventurous", + "academic", + "acceptable", + "acclaimed", + "accomplished", + "accurate", + "aching", + "acidic", + "acrobatic", + "active", + "actual", + "adept", + "admirable", + "admired", + "adolescent", + "adored", + "advanced", + "afraid", + "affectionate", + "aged", + "aggravating", + "aggressive", + "agile", + "agitated", + "agonizing", + "agreeable", + "ajar", + "alarmed", + "alarming", + "alert", + "alienated", + "alive", + "all", + "altruistic", + "amazing", + "ambitious", + "ample", + "amused", + "amusing", + "anchored", + "ancient", + "angelic", + "angry", + "anguished", + "animated", + "annual", + "another", + "antique", + "anxious", + "any", + "apprehensive", + "appropriate", + "apt", + "arctic", + "arid", + "aromatic", + "artistic", + "ashamed", + "assured", + "astonishing", + "athletic", + "attached", + "attentive", + "attractive", + "austere", + "authentic", + "authorized", + "automatic", + "avaricious", + "average", + "aware", + "awesome", + "awful", + "awkward", + "babyish", + "bad", + "back", + "baggy", + "bare", + "barren", + "basic", + "beautiful", + "belated", + "beloved", + "beneficial", + "better", + "best", + "bewitched", + "big", + "bighearted", + "biodegradable", + "bitesized", + "bitter", + "black", + "blackandwhite", + "bland", + "blank", + "blaring", + "bleak", + "blind", + "blissful", + "blond", + "blue", + "blushing", + "bogus", + "boiling", + "bold", + "bony", + "boring", + "bossy", + "both", + "bouncy", + "bountiful", + "bowed", + "brave", + "breakable", + "brief", + "bright", + "brilliant", + "brisk", + "broken", + "bronze", + "brown", + "bruised", + "bubbly", + "bulky", + "bumpy", + "buoyant", + "burdensome", + "burly", + "bustling", + "busy", + "buttery", + "buzzing", + "calculating", + "calm", + "candid", + "canine", + "capital", + "carefree", + "careful", + "careless", + "caring", + "cautious", + "cavernous", + "celebrated", + "charming", + "cheap", + "cheerful", + "cheery", + "chief", + "chilly", + "chubby", + "circular", + "classic", + "clean", + "clear", + "clearcut", + "clever", + "close", + "closed", + "cloudy", + "clueless", + "clumsy", + "cluttered", + "coarse", + "cold", + "colorful", + "colorless", + "colossal", + "comfortable", + "common", + "compassionate", + "competent", + "complete", + "complex", + "complicated", + "composed", + "concerned", + "concrete", + "confused", + "conscious", + "considerate", + "constant", + "content", + "conventional", + "cooked", + "cool", + "cooperative", + "coordinated", + "corny", + "corrupt", + "costly", + "courageous", + "courteous", + "crafty", + "crazy", + "creamy", + "creative", + "creepy", + "criminal", + "crisp", + "critical", + "crooked", + "crowded", + "cruel", + "crushing", + "cuddly", + "cultivated", + "cultured", + "cumbersome", + "curly", + "curvy", + "cute", + "cylindrical", + "damaged", + "damp", + "dangerous", + "dapper", + "daring", + "darling", + "dark", + "dazzling", + "dead", + "deadly", + "deafening", + "dear", + "dearest", + "decent", + "decimal", + "decisive", + "deep", + "defenseless", + "defensive", + "defiant", + "deficient", + "definite", + "definitive", + "delayed", + "delectable", + "delicious", + "delightful", + "delirious", + "demanding", + "dense", + "dental", + "dependable", + "dependent", + "descriptive", + "deserted", + "detailed", + "determined", + "devoted", + "different", + "difficult", + "digital", + "diligent", + "dim", + "dimpled", + "direct", + "disastrous", + "discrete", + "disgusting", + "disloyal", + "dismal", + "distant", + "downright", + "dreary", + "dirty", + "disguised", + "dishonest", + "distinct", + "distorted", + "dizzy", + "doting", + "double", + "drab", + "drafty", + "dramatic", + "droopy", + "dry", + "dual", + "dull", + "dutiful", + "each", + "eager", + "earnest", + "early", + "easy", + "easygoing", + "ecstatic", + "edible", + "educated", + "elaborate", + "elastic", + "elated", + "elderly", + "electric", + "elegant", + "elementary", + "elliptical", + "embarrassed", + "embellished", + "eminent", + "emotional", + "empty", + "enchanted", + "enchanting", + "energetic", + "enlightened", + "enormous", + "enraged", + "entire", + "envious", + "equal", + "equatorial", + "essential", + "esteemed", + "ethical", + "euphoric", + "even", + "evergreen", + "everlasting", + "every", + "evil", + "exalted", + "excellent", + "exemplary", + "exhausted", + "excitable", + "excited", + "exciting", + "exotic", + "expensive", + "experienced", + "expert", + "extraneous", + "extroverted", + "extralarge", + "extrasmall", + "fabulous", + "failing", + "faint", + "fair", + "faithful", + "fake", + "false", + "familiar", + "famous", + "fancy", + "fantastic", + "far", + "faraway", + "farflung", + "faroff", + "fast", + "fat", + "fatal", + "fatherly", + "favorable", + "favorite", + "fearful", + "fearless", + "feisty", + "feline", + "female", + "feminine", + "few", + "fickle", + "filthy", + "fine", + "finished", + "firm", + "first", + "firsthand", + "fitting", + "fixed", + "flaky", + "flamboyant", + "flashy", + "flat", + "flawed", + "flawless", + "flickering", + "flimsy", + "flippant", + "flowery", + "fluffy", + "fluid", + "flustered", + "focused", + "fond", + "foolhardy", + "foolish", + "forceful", + "forked", + "formal", + "forsaken", + "forthright", + "fortunate", + "fragrant", + "frail", + "frank", + "frayed", + "free", + "french", + "fresh", + "frequent", + "friendly", + "frightened", + "frightening", + "frigid", + "frilly", + "frizzy", + "frivolous", + "front", + "frosty", + "frozen", + "frugal", + "fruitful", + "full", + "fumbling", + "functional", + "funny", + "fussy", + "fuzzy", + "gargantuan", + "gaseous", + "general", + "generous", + "gentle", + "genuine", + "giant", + "giddy", + "gigantic", + "gifted", + "giving", + "glamorous", + "glaring", + "glass", + "gleaming", + "gleeful", + "glistening", + "glittering", + "gloomy", + "glorious", + "glossy", + "glum", + "golden", + "good", + "goodnatured", + "gorgeous", + "graceful", + "gracious", + "grand", + "grandiose", + "granular", + "grateful", + "grave", + "gray", + "great", + "greedy", + "green", + "gregarious", + "grim", + "grimy", + "gripping", + "grizzled", + "grotesque", + "grouchy", + "grounded", + "growing", + "growling", + "grown", + "grubby", + "gruesome", + "grumpy", + "guilty", + "gullible", + "gummy", + "hairy", + "half", + "handmade", + "handsome", + "handy", + "happy", + "happygolucky", + "hard", + "hardtofind", + "harmful", + "harmless", + "harmonious", + "harsh", + "hasty", + "hateful", + "haunting", + "healthy", + "heartfelt", + "hearty", + "heavenly", + "heavy", + "hefty", + "helpful", + "helpless", + "hidden", + "hideous", + "high", + "highlevel", + "hilarious", + "hoarse", + "hollow", + "homely", + "honest", + "honorable", + "honored", + "hopeful", + "horrible", + "hospitable", + "hot", + "huge", + "humble", + "humiliating", + "humming", + "humongous", + "hungry", + "hurtful", + "husky", + "icky", + "icy", + "ideal", + "idealistic", + "identical", + "idle", + "idolized", + "ignorant", + "ill", + "illfated", + "illinformed", + "illiterate", + "illustrious", + "imaginary", + "imaginative", + "immaculate", + "immaterial", + "immediate", + "immense", + "impassioned", + "impeccable", + "impartial", + "imperfect", + "imperturbable", + "impish", + "impolite", + "important", + "impossible", + "impractical", + "impressionable", + "impressive", + "improbable", + "impure", + "inborn", + "incomparable", + "incompatible", + "incomplete", + "inconsequential", + "incredible", + "indelible", + "inexperienced", + "indolent", + "infamous", + "infantile", + "infatuated", + "inferior", + "infinite", + "informal", + "innocent", + "insecure", + "insidious", + "insignificant", + "insistent", + "instructive", + "insubstantial", + "intelligent", + "intent", + "intentional", + "interesting", + "internal", + "international", + "intrepid", + "ironclad", + "irresponsible", + "irritating", + "itchy", + "jaded", + "jagged", + "jampacked", + "jaunty", + "jealous", + "jittery", + "joint", + "jolly", + "jovial", + "joyful", + "joyous", + "jubilant", + "judicious", + "juicy", + "jumbo", + "junior", + "jumpy", + "juvenile", + "kaleidoscopic", + "keen", + "key", + "kind", + "kindhearted", + "kindly", + "klutzy", + "knobby", + "knotty", + "knowledgeable", + "knowing", + "known", + "kooky", + "kosher", + "lanky", + "large", + "last", + "lasting", + "late", + "lavish", + "lawful", + "lazy", + "leading", + "lean", + "leafy", + "left", + "legal", + "legitimate", + "light", + "lighthearted", + "likable", + "likely", + "limited", + "limp", + "limping", + "linear", + "lined", + "liquid", + "little", + "live", + "lively", + "livid", + "loathsome", + "lone", + "lonely", + "long", + "longterm", + "loose", + "lopsided", + "lost", + "loud", + "lovable", + "lovely", + "loving", + "low", + "loyal", + "lucky", + "lumbering", + "luminous", + "lumpy", + "lustrous", + "luxurious", + "mad", + "madeup", + "magnificent", + "majestic", + "major", + "male", + "mammoth", + "married", + "marvelous", + "masculine", + "massive", + "mature", + "meager", + "mealy", + "mean", + "measly", + "meaty", + "medical", + "mediocre", + "medium", + "meek", + "mellow", + "melodic", + "memorable", + "menacing", + "merry", + "messy", + "metallic", + "mild", + "milky", + "mindless", + "miniature", + "minor", + "minty", + "miserable", + "miserly", + "misguided", + "misty", + "mixed", + "modern", + "modest", + "moist", + "monstrous", + "monthly", + "monumental", + "moral", + "mortified", + "motherly", + "motionless", + "mountainous", + "muddy", + "muffled", + "multicolored", + "mundane", + "murky", + "mushy", + "musty", + "muted", + "mysterious", + "naive", + "narrow", + "natural", + "naughty", + "nautical", + "near", + "neat", + "necessary", + "needy", + "negative", + "neglected", + "negligible", + "neighboring", + "nervous", + "new", + "next", + "nice", + "nifty", + "nimble", + "nippy", + "nocturnal", + "noisy", + "nonstop", + "normal", + "notable", + "noted", + "noteworthy", + "novel", + "noxious", + "numb", + "nutritious", + "nutty", + "obedient", + "oblong", + "oily", + "obvious", + "occasional", + "odd", + "oddball", + "offbeat", + "offensive", + "official", + "old", + "oldfashioned", + "only", + "open", + "optimal", + "optimistic", + "opulent", + "orange", + "orderly", + "organic", + "ornate", + "ornery", + "ordinary", + "original", + "other", + "our", + "outlying", + "outgoing", + "outlandish", + "outrageous", + "outstanding", + "oval", + "overcooked", + "overdue", + "overjoyed", + "overlooked", + "palatable", + "pale", + "paltry", + "parallel", + "parched", + "partial", + "passionate", + "past", + "pastel", + "peaceful", + "peppery", + "perfect", + "perfumed", + "periodic", + "perky", + "personal", + "pertinent", + "pesky", + "pessimistic", + "petty", + "phony", + "physical", + "piercing", + "pink", + "pitiful", + "plain", + "plaintive", + "plastic", + "playful", + "pleasant", + "pleased", + "pleasing", + "plump", + "plush", + "polished", + "polite", + "political", + "pointed", + "pointless", + "poised", + "poor", + "popular", + "portly", + "posh", + "positive", + "possible", + "potable", + "powerful", + "powerless", + "practical", + "precious", + "present", + "prestigious", + "pretty", + "previous", + "pricey", + "prickly", + "primary", + "prime", + "pristine", + "private", + "prize", + "probable", + "productive", + "profitable", + "profuse", + "proper", + "proud", + "prudent", + "punctual", + "pungent", + "puny", + "pure", + "purple", + "pushy", + "putrid", + "puzzled", + "puzzling", + "quaint", + "qualified", + "quarrelsome", + "quarterly", + "queasy", + "querulous", + "questionable", + "quick", + "quickwitted", + "quiet", + "quintessential", + "quirky", + "quixotic", + "quizzical", + "radiant", + "ragged", + "rapid", + "rare", + "rash", + "raw", + "recent", + "reckless", + "rectangular", + "ready", + "real", + "realistic", + "reasonable", + "red", + "reflecting", + "regal", + "regular", + "reliable", + "relieved", + "remarkable", + "remorseful", + "remote", + "repentant", + "required", + "respectful", + "responsible", + "repulsive", + "revolving", + "rewarding", + "rich", + "rigid", + "right", + "ringed", + "ripe", + "roasted", + "robust", + "rosy", + "rotating", + "rotten", + "rough", + "round", + "rowdy", + "royal", + "rubbery", + "rundown", + "ruddy", + "rude", + "runny", + "rural", + "rusty", + "sad", + "safe", + "salty", + "same", + "sandy", + "sane", + "sarcastic", + "sardonic", + "satisfied", + "scaly", + "scarce", + "scared", + "scary", + "scented", + "scholarly", + "scientific", + "scornful", + "scratchy", + "scrawny", + "second", + "secondary", + "secondhand", + "secret", + "selfassured", + "selfreliant", + "selfish", + "sentimental", + "separate", + "serene", + "serious", + "serpentine", + "several", + "severe", + "shabby", + "shadowy", + "shady", + "shallow", + "shameful", + "shameless", + "sharp", + "shimmering", + "shiny", + "shocked", + "shocking", + "shoddy", + "short", + "shortterm", + "showy", + "shrill", + "shy", + "sick", + "silent", + "silky", + "silly", + "silver", + "similar", + "simple", + "simplistic", + "sinful", + "single", + "sizzling", + "skeletal", + "skinny", + "sleepy", + "slight", + "slim", + "slimy", + "slippery", + "slow", + "slushy", + "small", + "smart", + "smoggy", + "smooth", + "smug", + "snappy", + "snarling", + "sneaky", + "sniveling", + "snoopy", + "sociable", + "soft", + "soggy", + "solid", + "somber", + "some", + "spherical", + "sophisticated", + "sore", + "sorrowful", + "soulful", + "soupy", + "sour", + "spanish", + "sparkling", + "sparse", + "specific", + "spectacular", + "speedy", + "spicy", + "spiffy", + "spirited", + "spiteful", + "splendid", + "spotless", + "spotted", + "spry", + "square", + "squeaky", + "squiggly", + "stable", + "staid", + "stained", + "stale", + "standard", + "starchy", + "stark", + "starry", + "steep", + "sticky", + "stiff", + "stimulating", + "stingy", + "stormy", + "straight", + "strange", + "steel", + "strict", + "strident", + "striking", + "striped", + "strong", + "studious", + "stunning", + "stupendous", + "sturdy", + "stylish", + "subdued", + "submissive", + "substantial", + "subtle", + "suburban", + "sudden", + "sugary", + "sunny", + "super", + "superb", + "superficial", + "superior", + "supportive", + "surefooted", + "surprised", + "suspicious", + "svelte", + "sweaty", + "sweet", + "sweltering", + "swift", + "sympathetic", + "tall", + "talkative", + "tame", + "tan", + "tangible", + "tart", + "tasty", + "tattered", + "taut", + "tedious", + "teeming", + "tempting", + "tender", + "tense", + "tepid", + "terrible", + "terrific", + "testy", + "thankful", + "that", + "these", + "thick", + "thin", + "third", + "thirsty", + "this", + "thorough", + "thorny", + "those", + "thoughtful", + "threadbare", + "thrifty", + "thunderous", + "tidy", + "tight", + "timely", + "tinted", + "tiny", + "tired", + "torn", + "total", + "tough", + "traumatic", + "treasured", + "tremendous", + "tragic", + "trained", + "triangular", + "tricky", + "trifling", + "trim", + "trivial", + "troubled", + "true", + "trusting", + "trustworthy", + "trusty", + "truthful", + "turbulent", + "twin", + "ugly", + "ultimate", + "unacceptable", + "unaware", + "uncomfortable", + "uncommon", + "unconscious", + "understated", + "unequaled", + "uneven", + "unfinished", + "unfit", + "unfolded", + "unfortunate", + "unhappy", + "unhealthy", + "uniform", + "unimportant", + "unique", + "united", + "unkempt", + "unknown", + "unlawful", + "unlined", + "unlucky", + "unnatural", + "unpleasant", + "unrealistic", + "unripe", + "unruly", + "unselfish", + "unsightly", + "unsteady", + "unsung", + "untidy", + "untimely", + "untried", + "untrue", + "unused", + "unusual", + "unwelcome", + "unwieldy", + "unwilling", + "unwitting", + "unwritten", + "upbeat", + "upright", + "upset", + "urban", + "usable", + "used", + "useful", + "useless", + "utilized", + "utter", + "vacant", + "vague", + "vain", + "valid", + "valuable", + "vapid", + "variable", + "vast", + "velvety", + "venerated", + "vengeful", + "verifiable", + "vibrant", + "vicious", + "victorious", + "vigilant", + "vigorous", + "villainous", + "violet", + "violent", + "virtual", + "virtuous", + "visible", + "vital", + "vivacious", + "vivid", + "voluminous", + "wan", + "warlike", + "warm", + "warmhearted", + "warped", + "wary", + "wasteful", + "watchful", + "waterlogged", + "watery", + "wavy", + "wealthy", + "weak", + "weary", + "webbed", + "wee", + "weekly", + "weepy", + "weighty", + "weird", + "welcome", + "welldocumented", + "wellgroomed", + "wellinformed", + "welllit", + "wellmade", + "welloff", + "welltodo", + "wellworn", + "wet", + "which", + "whimsical", + "whirlwind", + "whispered", + "white", + "whole", + "whopping", + "wicked", + "wide", + "wideeyed", + "wiggly", + "wild", + "willing", + "wilted", + "winding", + "windy", + "winged", + "wiry", + "wise", + "witty", + "wobbly", + "woeful", + "wonderful", + "wooden", + "woozy", + "wordy", + "worldly", + "worn", + "worried", + "worrisome", + "worse", + "worst", + "worthless", + "worthwhile", + "worthy", + "wrathful", + "wretched", + "writhing", + "wrong", + "wry", + "yawning", + "yearly", + "yellow", + "yellowish", + "young", + "youthful", + "yummy", + "zany", + "zealous", + "zesty", + "zigzag", +}); + +const auto enUSAdverbs = std::to_array({ + "abnormally", + "absentmindedly", + "accidentally", + "acidly", + "actually", + "adventurously", + "afterwards", + "almost", + "always", + "angrily", + "annually", + "anxiously", + "arrogantly", + "awkwardly", + "badly", + "bashfully", + "beautifully", + "bitterly", + "bleakly", + "blindly", + "blissfully", + "boastfully", + "boldly", + "bravely", + "briefly", + "brightly", + "briskly", + "broadly", + "busily", + "calmly", + "carefully", + "carelessly", + "cautiously", + "certainly", + "cheerfully", + "clearly", + "cleverly", + "closely", + "coaxingly", + "colorfully", + "commonly", + "continually", + "coolly", + "correctly", + "courageously", + "crossly", + "cruelly", + "curiously", + "daily", + "daintily", + "dearly", + "deceivingly", + "deeply", + "defiantly", + "deliberately", + "delightfully", + "diligently", + "dimly", + "doubtfully", + "dreamily", + "easily", + "elegantly", + "energetically", + "enormously", + "enthusiastically", + "equally", + "especially", + "even", + "evenly", + "eventually", + "exactly", + "excitedly", + "extremely", + "fairly", + "faithfully", + "famously", + "far", + "fast", + "fatally", + "ferociously", + "fervently", + "fiercely", + "fondly", + "foolishly", + "fortunately", + "frankly", + "frantically", + "freely", + "frenetically", + "frightfully", + "fully", + "furiously", + "generally", + "generously", + "gently", + "gladly", + "gleefully", + "gracefully", + "gratefully", + "greatly", + "greedily", + "happily", + "hastily", + "healthily", + "heavily", + "helpfully", + "helplessly", + "highly", + "honestly", + "hopelessly", + "hourly", + "hungrily", + "immediately", + "innocently", + "inquisitively", + "instantly", + "intensely", + "intently", + "interestingly", + "inwardly", + "irritably", + "jaggedly", + "jealously", + "joshingly", + "jovially", + "joyfully", + "joyously", + "jubilantly", + "judgementally", + "justly", + "keenly", + "kiddingly", + "kindheartedly", + "kindly", + "kissingly", + "knavishly", + "knottily", + "knowingly", + "knowledgeably", + "kookily", + "lazily", + "less", + "lightly", + "likely", + "limply", + "lively", + "loftily", + "longingly", + "loosely", + "loudly", + "lovingly", + "loyally", + "madly", + "majestically", + "meaningfully", + "mechanically", + "merrily", + "miserably", + "mockingly", + "monthly", + "more", + "mortally", + "mostly", + "mysteriously", + "naturally", + "nearly", + "neatly", + "needily", + "nervously", + "never", + "nicely", + "noisily", + "not", + "obediently", + "obnoxiously", + "oddly", + "offensively", + "officially", + "often", + "only", + "openly", + "optimistically", + "overconfidently", + "owlishly", + "painfully", + "partially", + "patiently", + "perfectly", + "physically", + "playfully", + "politely", + "poorly", + "positively", + "potentially", + "powerfully", + "promptly", + "properly", + "punctually", + "quaintly", + "quarrelsomely", + "queasily", + "questionably", + "questioningly", + "quicker", + "quickly", + "quietly", + "quirkily", + "quizzically", + "rapidly", + "rarely", + "readily", + "really", + "reassuringly", + "recklessly", + "regularly", + "reluctantly", + "repeatedly", + "reproachfully", + "restfully", + "righteously", + "rightfully", + "rigidly", + "roughly", + "rudely", + "sadly", + "safely", + "scarcely", + "scarily", + "searchingly", + "sedately", + "seemingly", + "seldom", + "selfishly", + "separately", + "seriously", + "shakily", + "sharply", + "sheepishly", + "shrilly", + "shyly", + "silently", + "sleepily", + "slowly", + "smoothly", + "softly", + "solemnly", + "solidly", + "sometimes", + "soon", + "speedily", + "stealthily", + "sternly", + "strictly", + "successfully", + "suddenly", + "surprisingly", + "suspiciously", + "sweetly", + "swiftly", + "sympathetically", + "tenderly", + "tensely", + "terribly", + "thankfully", + "thoroughly", + "thoughtfully", + "tightly", + "tomorrow", + "too", + "tremendously", + "triumphantly", + "truly", + "truthfully", + "ultimately", + "unabashedly", + "unaccountably", + "unbearably", + "unethically", + "unexpectedly", + "unfortunately", + "unimpressively", + "unnaturally", + "unnecessarily", + "upbeat", + "upliftingly", + "upright", + "upsidedown", + "upward", + "upwardly", + "urgently", + "usefully", + "uselessly", + "usually", + "utterly", + "vacantly", + "vaguely", + "vainly", + "valiantly", + "vastly", + "verbally", + "very", + "viciously", + "victoriously", + "violently", + "vivaciously", + "voluntarily", + "warmly", + "weakly", + "wearily", + "well", + "wetly", + "wholly", + "wildly", + "willfully", + "wisely", + "woefully", + "wonderfully", + "worriedly", + "wrongly", + "yawningly", + "yearly", + "yearningly", + "yesterday", + "yieldingly", + "youthfully", +}); + +const auto enUSConjunctions = std::to_array({ + "after", "although", "and", "as", "because", "before", "but", "consequently", + "even", "finally", "for", "furthermore", "hence", "how", "however", "if", + "inasmuch", "incidentally", "indeed", "instead", "lest", "likewise", "meanwhile", "nor", + "now", "once", "or", "provided", "since", "so", "supposing", "than", + "that", "though", "till", "unless", "until", "what", "when", "whenever", + "where", "whereas", "wherever", "whether", "which", "while", "who", "whoever", + "whose", "why", "yet", +}); + +const auto enUSInterjections = std::to_array({ + "yuck", "oh", "phooey", "blah", "boo", "whoa", "yowza", "huzzah", "boohoo", "fooey", "geez", "pfft", + "ew", "ah", "yum", "brr", "hm", "yahoo", "aha", "woot", "drat", "gah", "meh", "psst", + "aw", "ugh", "yippee", "eek", "gee", "bah", "gadzooks", "duh", "ha", "mmm", "ouch", "phew", + "ack", "uhhuh", "gosh", "hmph", "pish", "zowie", "er", "ick", "oof", "um", +}); + +const auto enUSNouns = std::to_array({ + "ATM", + "CD", + "SUV", + "TV", + "aardvark", + "abacus", + "abbey", + "abbreviation", + "abdomen", + "ability", + "abnormality", + "abolishment", + "abrogation", + "absence", + "abundance", + "academics", + "academy", + "accelerant", + "accelerator", + "accent", + "acceptance", + "access", + "accessory", + "accident", + "accommodation", + "accompanist", + "accomplishment", + "accord", + "accordance", + "accordion", + "account", + "accountability", + "accountant", + "accounting", + "accuracy", + "accusation", + "acetate", + "achievement", + "achiever", + "acid", + "acknowledgment", + "acorn", + "acoustics", + "acquaintance", + "acquisition", + "acre", + "acrylic", + "act", + "action", + "activation", + "activist", + "activity", + "actor", + "actress", + "acupuncture", + "ad", + "adaptation", + "adapter", + "addiction", + "addition", + "address", + "adjective", + "adjustment", + "admin", + "administration", + "administrator", + "admire", + "admission", + "adobe", + "adoption", + "adrenalin", + "adrenaline", + "adult", + "adulthood", + "advance", + "advancement", + "advantage", + "advent", + "adverb", + "advertisement", + "advertising", + "advice", + "adviser", + "advocacy", + "advocate", + "affair", + "affect", + "affidavit", + "affiliate", + "affinity", + "afoul", + "afterlife", + "aftermath", + "afternoon", + "aftershave", + "aftershock", + "afterthought", + "age", + "agency", + "agenda", + "agent", + "aggradation", + "aggression", + "aglet", + "agony", + "agreement", + "agriculture", + "aid", + "aide", + "aim", + "air", + "airbag", + "airbus", + "aircraft", + "airfare", + "airfield", + "airforce", + "airline", + "airmail", + "airman", + "airplane", + "airport", + "airship", + "airspace", + "alarm", + "alb", + "albatross", + "album", + "alcohol", + "alcove", + "alder", + "ale", + "alert", + "alfalfa", + "algebra", + "algorithm", + "alias", + "alibi", + "alien", + "allegation", + "allergist", + "alley", + "alliance", + "alligator", + "allocation", + "allowance", + "alloy", + "alluvium", + "almanac", + "almighty", + "almond", + "alpaca", + "alpenglow", + "alpenhorn", + "alpha", + "alphabet", + "altar", + "alteration", + "alternative", + "altitude", + "alto", + "aluminium", + "aluminum", + "amazement", + "amazon", + "ambassador", + "amber", + "ambience", + "ambiguity", + "ambition", + "ambulance", + "amendment", + "amenity", + "ammunition", + "amnesty", + "amount", + "amusement", + "anagram", + "analgesia", + "analog", + "analogue", + "analogy", + "analysis", + "analyst", + "analytics", + "anarchist", + "anarchy", + "anatomy", + "ancestor", + "anchovy", + "android", + "anesthesiologist", + "anesthesiology", + "angel", + "anger", + "angina", + "angle", + "angora", + "angstrom", + "anguish", + "animal", + "anime", + "anise", + "ankle", + "anklet", + "anniversary", + "announcement", + "annual", + "anorak", + "answer", + "ant", + "anteater", + "antecedent", + "antechamber", + "antelope", + "antennae", + "anterior", + "anthropology", + "antibody", + "anticipation", + "anticodon", + "antigen", + "antique", + "antiquity", + "antler", + "antling", + "anxiety", + "anybody", + "anyone", + "anything", + "anywhere", + "apartment", + "ape", + "aperitif", + "apology", + "app", + "apparatus", + "apparel", + "appeal", + "appearance", + "appellation", + "appendix", + "appetiser", + "appetite", + "appetizer", + "applause", + "apple", + "applewood", + "appliance", + "application", + "appointment", + "appreciation", + "apprehension", + "approach", + "appropriation", + "approval", + "apricot", + "apron", + "apse", + "aquarium", + "aquifer", + "arcade", + "arch", + "archrival", + "archaeologist", + "archaeology", + "archeology", + "archer", + "architect", + "architecture", + "archives", + "area", + "arena", + "argument", + "arithmetic", + "ark", + "arm", + "armrest", + "armadillo", + "armament", + "armchair", + "armoire", + "armor", + "armour", + "armpit", + "armrest", + "army", + "arrangement", + "array", + "arrest", + "arrival", + "arrogance", + "arrow", + "art", + "artery", + "arthur", + "artichoke", + "article", + "artifact", + "artificer", + "artist", + "ascend", + "ascent", + "ascot", + "ash", + "ashram", + "ashtray", + "aside", + "asparagus", + "aspect", + "asphalt", + "aspic", + "assassination", + "assault", + "assembly", + "assertion", + "assessment", + "asset", + "assignment", + "assist", + "assistance", + "assistant", + "associate", + "association", + "assumption", + "assurance", + "asterisk", + "astrakhan", + "astrolabe", + "astrologer", + "astrology", + "astronomy", + "asymmetry", + "atelier", + "atheist", + "athlete", + "athletics", + "atmosphere", + "atom", + "atrium", + "attachment", + "attack", + "attacker", + "attainment", + "attempt", + "attendance", + "attendant", + "attention", + "attenuation", + "attic", + "attitude", + "attorney", + "attraction", + "attribute", + "auction", + "audience", + "audit", + "auditorium", + "aunt", + "authentication", + "authenticity", + "author", + "authorisation", + "authority", + "authorization", + "auto", + "autoimmunity", + "automation", + "automaton", + "autumn", + "availability", + "avalanche", + "avenue", + "average", + "avocado", + "award", + "awareness", + "awe", + "axis", + "azimuth", + "baboon", + "babushka", + "baby", + "bachelor", + "back", + "backup", + "backbone", + "backburn", + "backdrop", + "background", + "backpack", + "backup", + "backyard", + "bacon", + "bacterium", + "badge", + "badger", + "bafflement", + "bag", + "bagel", + "baggage", + "baggie", + "baggy", + "bagpipe", + "bail", + "bait", + "bake", + "baker", + "bakery", + "bakeware", + "balaclava", + "balalaika", + "balance", + "balcony", + "ball", + "ballet", + "balloon", + "balloonist", + "ballot", + "ballpark", + "bamboo", + "ban", + "banana", + "band", + "bandana", + "bandanna", + "bandolier", + "bandwidth", + "bangle", + "banjo", + "bank", + "bankbook", + "banker", + "banking", + "bankruptcy", + "banner", + "banquette", + "banyan", + "baobab", + "bar", + "barbecue", + "barbeque", + "barber", + "bargain", + "barge", + "baritone", + "barium", + "bark", + "barley", + "barn", + "barometer", + "barracks", + "barrage", + "barrel", + "barrier", + "barstool", + "bartender", + "base", + "baseball", + "baseboard", + "baseline", + "basement", + "basics", + "basil", + "basin", + "basis", + "basket", + "basketball", + "bass", + "bassinet", + "bassoon", + "bat", + "bath", + "bather", + "bathhouse", + "bathrobe", + "bathroom", + "bathtub", + "battalion", + "batter", + "battery", + "batting", + "battle", + "battleship", + "bay", + "bayou", + "beach", + "bead", + "beak", + "beam", + "bean", + "beancurd", + "beanie", + "beanstalk", + "bear", + "beard", + "beast", + "beastie", + "beat", + "beating", + "beauty", + "beck", + "bed", + "bedrock", + "bedroom", + "bee", + "beech", + "beef", + "beet", + "beetle", + "beggar", + "beginner", + "beginning", + "begonia", + "behalf", + "behavior", + "behaviour", + "behest", + "behold", + "being", + "belfry", + "belief", + "believer", + "bell", + "belligerency", + "bellows", + "belly", + "belt", + "bench", + "bend", + "beneficiary", + "benefit", + "beret", + "berry", + "bestseller", + "bestseller", + "bet", + "beverage", + "beyond", + "bias", + "bibliography", + "bicycle", + "bid", + "bidder", + "bidding", + "bidet", + "bifocals", + "bijou", + "bike", + "bikini", + "bill", + "billboard", + "billing", + "billion", + "bin", + "binoculars", + "biology", + "biopsy", + "biosphere", + "biplane", + "birch", + "bird", + "birdwatcher", + "birdbath", + "birdcage", + "birdhouse", + "birth", + "birthday", + "biscuit", + "bit", + "bite", + "bitten", + "bitter", + "blackberry", + "blackbird", + "blackboard", + "blackfish", + "blackness", + "bladder", + "blade", + "blame", + "blank", + "blanket", + "blast", + "blazer", + "blend", + "blessing", + "blight", + "blind", + "blinker", + "blister", + "blizzard", + "block", + "blocker", + "blog", + "blogger", + "blood", + "bloodflow", + "bloom", + "bloomer", + "blossom", + "blouse", + "blow", + "blowgun", + "blowhole", + "blueberry", + "blush", + "boar", + "board", + "boat", + "boatload", + "boatyard", + "bob", + "bobcat", + "body", + "bog", + "bolero", + "bolt", + "bond", + "bonding", + "bondsman", + "bone", + "bonfire", + "bongo", + "bonnet", + "bonsai", + "bonus", + "boogeyman", + "book", + "bookcase", + "bookend", + "booking", + "booklet", + "bookmark", + "boolean", + "boom", + "boon", + "boost", + "booster", + "boot", + "bootie", + "border", + "bore", + "borrower", + "borrowing", + "boss", + "botany", + "bother", + "bottle", + "bottling", + "bottom", + "bottomline", + "boudoir", + "bough", + "boulder", + "boulevard", + "boundary", + "bouquet", + "bourgeoisie", + "bout", + "boutique", + "bow", + "bower", + "bowl", + "bowler", + "bowling", + "bowtie", + "box", + "boxer", + "boxspring", + "boy", + "boycott", + "boyfriend", + "boyhood", + "boysenberry", + "brace", + "bracelet", + "bracket", + "brain", + "brake", + "bran", + "branch", + "brand", + "brass", + "bratwurst", + "bread", + "breadcrumb", + "breadfruit", + "break", + "breakdown", + "breakfast", + "breakpoint", + "breakthrough", + "breastplate", + "breath", + "breeze", + "brewer", + "bribery", + "brick", + "bricklaying", + "bride", + "bridge", + "brief", + "briefing", + "briefly", + "brilliant", + "brink", + "brisket", + "broad", + "broadcast", + "broccoli", + "brochure", + "brocolli", + "broiler", + "broker", + "bronchitis", + "bronco", + "bronze", + "brooch", + "brood", + "brook", + "broom", + "brother", + "brotherinlaw", + "brow", + "brownie", + "browser", + "browsing", + "brunch", + "brush", + "brushfire", + "brushing", + "bubble", + "buck", + "bucket", + "buckle", + "buckwheat", + "bud", + "buddy", + "budget", + "buffalo", + "buffer", + "buffet", + "bug", + "buggy", + "bugle", + "builder", + "building", + "bulb", + "bulk", + "bull", + "bullfighter", + "bulldozer", + "bullet", + "bump", + "bumper", + "bun", + "bunch", + "bungalow", + "bunkhouse", + "burden", + "bureau", + "burglar", + "burial", + "burn", + "burnout", + "burning", + "burrito", + "burro", + "burrow", + "burst", + "bus", + "bush", + "business", + "businessman", + "bust", + "bustle", + "butane", + "butcher", + "butler", + "butter", + "butterfly", + "button", + "buy", + "buyer", + "buying", + "buzz", + "buzzard", + "cclamp", + "cabana", + "cabbage", + "cabin", + "cabinet", + "cable", + "caboose", + "cacao", + "cactus", + "caddy", + "cadet", + "cafe", + "caffeine", + "caftan", + "cage", + "cake", + "calcification", + "calculation", + "calculator", + "calculus", + "calendar", + "calf", + "caliber", + "calibre", + "calico", + "call", + "calm", + "calorie", + "camel", + "cameo", + "camera", + "camp", + "campaign", + "campaigning", + "campanile", + "camper", + "campus", + "can", + "canal", + "candelabra", + "candidacy", + "candidate", + "candle", + "candy", + "cane", + "cannibal", + "cannon", + "canoe", + "canon", + "canopy", + "cantaloupe", + "canteen", + "canvas", + "cap", + "capability", + "capacity", + "cape", + "caper", + "capital", + "capitalism", + "capitulation", + "capon", + "cappelletti", + "cappuccino", + "captain", + "caption", + "captor", + "car", + "carabao", + "caramel", + "caravan", + "carbohydrate", + "carbon", + "carboxyl", + "card", + "cardboard", + "cardigan", + "care", + "career", + "cargo", + "caribou", + "carload", + "carnation", + "carnival", + "carol", + "carotene", + "carp", + "carpenter", + "carpet", + "carpeting", + "carport", + "carriage", + "carrier", + "carrot", + "carry", + "cart", + "cartel", + "carter", + "cartilage", + "cartload", + "cartoon", + "cartridge", + "carving", + "cascade", + "case", + "casement", + "cash", + "cashew", + "cashier", + "casino", + "casket", + "cassava", + "casserole", + "cassock", + "cast", + "castanet", + "castle", + "casualty", + "cat", + "catacomb", + "catalogue", + "catalysis", + "catalyst", + "catamaran", + "catastrophe", + "catch", + "catcher", + "category", + "caterpillar", + "cathedral", + "cation", + "catsup", + "cattle", + "cauliflower", + "causal", + "cause", + "causeway", + "caution", + "cave", + "caviar", + "cayenne", + "ceiling", + "celebration", + "celebrity", + "celeriac", + "celery", + "cell", + "cellar", + "cello", + "celsius", + "cement", + "cemetery", + "cenotaph", + "census", + "cent", + "center", + "centimeter", + "centre", + "centurion", + "century", + "cephalopod", + "ceramic", + "ceramics", + "cereal", + "ceremony", + "certainty", + "certificate", + "certification", + "cesspool", + "chafe", + "chain", + "chainstay", + "chair", + "chairlift", + "chairman", + "chairperson", + "chaise", + "chalet", + "chalice", + "chalk", + "challenge", + "chamber", + "champagne", + "champion", + "championship", + "chance", + "chandelier", + "change", + "channel", + "chaos", + "chap", + "chapel", + "chaplain", + "chapter", + "character", + "characteristic", + "characterization", + "chard", + "charge", + "charger", + "charity", + "charlatan", + "charm", + "charset", + "chart", + "charter", + "chasm", + "chassis", + "chastity", + "chasuble", + "chateau", + "chatter", + "chauffeur", + "chauvinist", + "check", + "checkbook", + "checking", + "checkout", + "checkroom", + "cheddar", + "cheek", + "cheer", + "cheese", + "cheesecake", + "cheetah", + "chef", + "chem", + "chemical", + "chemistry", + "chemotaxis", + "cheque", + "cherry", + "chess", + "chest", + "chestnut", + "chick", + "chicken", + "chicory", + "chief", + "chiffonier", + "child", + "childbirth", + "childhood", + "chili", + "chill", + "chime", + "chimpanzee", + "chin", + "chinchilla", + "chino", + "chip", + "chipmunk", + "chitchat", + "chivalry", + "chive", + "chives", + "chocolate", + "choice", + "choir", + "choker", + "cholesterol", + "choosing", + "chop", + "chops", + "chopstick", + "chopsticks", + "chord", + "chorus", + "chow", + "chowder", + "chrome", + "chromolithograph", + "chronicle", + "chronograph", + "chronometer", + "chrysalis", + "chub", + "chuck", + "church", + "churn", + "chutney", + "cicada", + "cigarette", + "cilantro", + "cinder", + "cinema", + "cinnamon", + "circadian", + "circle", + "circuit", + "circulation", + "circumference", + "circumstance", + "cirrus", + "citizen", + "citizenship", + "citron", + "citrus", + "city", + "civilian", + "civilisation", + "civilization", + "claim", + "clam", + "clamp", + "clan", + "clank", + "clapboard", + "clarification", + "clarinet", + "clarity", + "clasp", + "class", + "classic", + "classification", + "classmate", + "classroom", + "clause", + "clave", + "clavicle", + "clavier", + "claw", + "clay", + "cleaner", + "clearance", + "clearing", + "cleat", + "clef", + "cleft", + "clergyman", + "cleric", + "clerk", + "click", + "client", + "cliff", + "climate", + "climb", + "clinic", + "clip", + "clipboard", + "clipper", + "cloak", + "cloakroom", + "clock", + "clockwork", + "clogs", + "cloister", + "clone", + "close", + "closet", + "closing", + "closure", + "cloth", + "clothes", + "clothing", + "cloud", + "cloudburst", + "clove", + "clover", + "cloves", + "club", + "clue", + "cluster", + "clutch", + "coproducer", + "coach", + "coal", + "coalition", + "coast", + "coaster", + "coat", + "cob", + "cobbler", + "cobweb", + "cockpit", + "cockroach", + "cocktail", + "cocoa", + "coconut", + "cod", + "code", + "codepage", + "codling", + "codon", + "coevolution", + "cofactor", + "coffee", + "coffin", + "cohesion", + "cohort", + "coil", + "coin", + "coincidence", + "coinsurance", + "coke", + "cold", + "coleslaw", + "coliseum", + "collaboration", + "collagen", + "collapse", + "collar", + "collard", + "collateral", + "colleague", + "collection", + "collectivisation", + "collectivization", + "collector", + "college", + "collision", + "colloquy", + "colon", + "colonial", + "colonialism", + "colonisation", + "colonization", + "colony", + "color", + "colorlessness", + "colt", + "column", + "columnist", + "comb", + "combat", + "combination", + "combine", + "comeback", + "comedy", + "comestible", + "comfort", + "comfortable", + "comic", + "comics", + "comma", + "command", + "commander", + "commandment", + "comment", + "commerce", + "commercial", + "commission", + "commitment", + "committee", + "commodity", + "common", + "commonsense", + "commotion", + "communicant", + "communication", + "communion", + "communist", + "community", + "commuter", + "company", + "comparison", + "compass", + "compassion", + "compassionate", + "compensation", + "competence", + "competition", + "competitor", + "complaint", + "complement", + "completion", + "complex", + "complexity", + "compliance", + "complication", + "complicity", + "compliment", + "component", + "comportment", + "composer", + "composite", + "composition", + "compost", + "comprehension", + "compress", + "compromise", + "comptroller", + "compulsion", + "computer", + "comradeship", + "con", + "concentrate", + "concentration", + "concept", + "conception", + "concern", + "concert", + "conclusion", + "concrete", + "condition", + "conditioner", + "condominium", + "condor", + "conduct", + "conductor", + "cone", + "confectionery", + "conference", + "confidence", + "confidentiality", + "configuration", + "confirmation", + "conflict", + "conformation", + "confusion", + "conga", + "congo", + "congregation", + "congress", + "congressman", + "congressperson", + "conifer", + "connection", + "connotation", + "conscience", + "consciousness", + "consensus", + "consent", + "consequence", + "conservation", + "conservative", + "consideration", + "consignment", + "consist", + "consistency", + "console", + "consonant", + "conspiracy", + "conspirator", + "constant", + "constellation", + "constitution", + "constraint", + "construction", + "consul", + "consulate", + "consulting", + "consumer", + "consumption", + "contact", + "contagion", + "container", + "content", + "contention", + "contest", + "context", + "continent", + "contingency", + "continuity", + "contour", + "contract", + "contractor", + "contrail", + "contrary", + "contrast", + "contribution", + "contributor", + "control", + "controller", + "controversy", + "convection", + "convenience", + "convention", + "conversation", + "conversion", + "convert", + "convertible", + "conviction", + "cook", + "cookbook", + "cookie", + "cooking", + "cooperation", + "coordination", + "coordinator", + "cop", + "copout", + "cope", + "copper", + "copy", + "copying", + "copyright", + "copywriter", + "coral", + "cord", + "corduroy", + "core", + "cork", + "cormorant", + "corn", + "corner", + "cornerstone", + "cornet", + "cornflakes", + "cornmeal", + "corporal", + "corporation", + "corporatism", + "corps", + "corral", + "correspondence", + "correspondent", + "corridor", + "corruption", + "corsage", + "cosset", + "cost", + "costume", + "cot", + "cottage", + "cotton", + "couch", + "cougar", + "cough", + "council", + "councilman", + "councilor", + "councilperson", + "counsel", + "counseling", + "counselling", + "counsellor", + "counselor", + "count", + "counter", + "counterforce", + "counterpart", + "countess", + "country", + "countryside", + "county", + "couple", + "coupon", + "courage", + "course", + "court", + "courthouse", + "courtroom", + "cousin", + "covariate", + "cover", + "coverage", + "coverall", + "cow", + "cowbell", + "cowboy", + "coyote", + "crab", + "cradle", + "craft", + "craftsman", + "cranberry", + "crane", + "cranky", + "crate", + "cravat", + "craw", + "crawdad", + "crayfish", + "crayon", + "crazy", + "cream", + "creation", + "creative", + "creativity", + "creator", + "creature", + "creche", + "credential", + "credenza", + "credibility", + "credit", + "creditor", + "creek", + "crepe", + "crest", + "crew", + "crewman", + "crewmate", + "crewmember", + "crewmen", + "cria", + "crib", + "cribbage", + "cricket", + "cricketer", + "crime", + "criminal", + "crinoline", + "crisis", + "crisp", + "criteria", + "criterion", + "critic", + "criticism", + "crocodile", + "crocus", + "croissant", + "crook", + "crop", + "cross", + "crosscontamination", + "crossstitch", + "croup", + "crow", + "crowd", + "crown", + "crude", + "cruelty", + "cruise", + "crumb", + "crunch", + "crusader", + "crush", + "crust", + "cry", + "crystal", + "crystallography", + "cub", + "cube", + "cuckoo", + "cucumber", + "cue", + "cufflink", + "cuisine", + "cultivar", + "cultivator", + "culture", + "culvert", + "cummerbund", + "cup", + "cupboard", + "cupcake", + "cupola", + "curd", + "cure", + "curio", + "curiosity", + "curl", + "curler", + "currant", + "currency", + "current", + "curriculum", + "curry", + "curse", + "cursor", + "curtailment", + "curtain", + "curve", + "cushion", + "custard", + "custody", + "custom", + "customer", + "cut", + "cuticle", + "cutlet", + "cutover", + "cutting", + "cyclamen", + "cycle", + "cyclone", + "cyclooxygenase", + "cygnet", + "cylinder", + "cymbal", + "cynic", + "cyst", + "cytokine", + "cytoplasm", + "dad", + "daddy", + "daffodil", + "dagger", + "dahlia", + "daikon", + "daily", + "dairy", + "daisy", + "dam", + "damage", + "dame", + "dance", + "dancer", + "dancing", + "dandelion", + "danger", + "dare", + "dark", + "darkness", + "darn", + "dart", + "dash", + "dashboard", + "data", + "database", + "date", + "daughter", + "dawn", + "day", + "daybed", + "daylight", + "dead", + "deadline", + "deal", + "dealer", + "dealing", + "dearest", + "death", + "deathwatch", + "debate", + "debris", + "debt", + "debtor", + "decade", + "decadence", + "decency", + "decimal", + "decision", + "decisionmaking", + "deck", + "declaration", + "declination", + "decline", + "decoder", + "decongestant", + "decoration", + "decrease", + "decryption", + "dedication", + "deduce", + "deduction", + "deed", + "deep", + "deer", + "default", + "defeat", + "defendant", + "defender", + "defense", + "deficit", + "definition", + "deformation", + "degradation", + "degree", + "delay", + "deliberation", + "delight", + "delivery", + "demand", + "democracy", + "democrat", + "demur", + "den", + "denim", + "denominator", + "density", + "dentist", + "deodorant", + "department", + "departure", + "dependency", + "dependent", + "deployment", + "deposit", + "deposition", + "depot", + "depression", + "depressive", + "depth", + "deputy", + "derby", + "derivation", + "derivative", + "derrick", + "descendant", + "descent", + "description", + "desert", + "design", + "designation", + "designer", + "desire", + "desk", + "desktop", + "dessert", + "destination", + "destiny", + "destroyer", + "destruction", + "detail", + "detainee", + "detainment", + "detection", + "detective", + "detector", + "detention", + "determination", + "detour", + "devastation", + "developer", + "developing", + "development", + "developmental", + "deviance", + "deviation", + "device", + "devil", + "dew", + "dhow", + "diabetes", + "diadem", + "diagnosis", + "diagram", + "dial", + "dialect", + "dialogue", + "diam", + "diamond", + "diaper", + "diaphragm", + "diarist", + "diary", + "dibble", + "dickey", + "dictaphone", + "dictator", + "diction", + "dictionary", + "die", + "diesel", + "diet", + "difference", + "differential", + "difficulty", + "diffuse", + "dig", + "digestion", + "digestive", + "digger", + "digging", + "digit", + "dignity", + "dilapidation", + "dill", + "dilution", + "dime", + "dimension", + "dimple", + "diner", + "dinghy", + "dining", + "dinner", + "dinosaur", + "dioxide", + "dip", + "diploma", + "diplomacy", + "direction", + "directive", + "director", + "directory", + "dirndl", + "dirt", + "disability", + "disadvantage", + "disagreement", + "disappointment", + "disarmament", + "disaster", + "discharge", + "discipline", + "disclaimer", + "disclosure", + "disco", + "disconnection", + "discount", + "discourse", + "discovery", + "discrepancy", + "discretion", + "discrimination", + "discussion", + "disdain", + "disease", + "disembodiment", + "disengagement", + "disguise", + "disgust", + "dish", + "dishwasher", + "disk", + "disparity", + "dispatch", + "displacement", + "display", + "disposal", + "disposer", + "disposition", + "dispute", + "disregard", + "disruption", + "dissemination", + "dissonance", + "distance", + "distinction", + "distortion", + "distribution", + "distributor", + "district", + "divalent", + "divan", + "diver", + "diversity", + "divide", + "dividend", + "divider", + "divine", + "diving", + "division", + "divorce", + "doc", + "dock", + "doctor", + "doctorate", + "doctrine", + "document", + "documentary", + "documentation", + "doe", + "dog", + "dogsled", + "dogwood", + "doing", + "doll", + "dollar", + "dollop", + "dolman", + "dolor", + "dolphin", + "domain", + "dome", + "donation", + "donkey", + "donor", + "donut", + "door", + "doorbell", + "doorknob", + "doorpost", + "doorway", + "dory", + "dose", + "dot", + "double", + "doubling", + "doubt", + "doubter", + "dough", + "doughnut", + "down", + "downfall", + "downforce", + "downgrade", + "download", + "downstairs", + "downtown", + "downturn", + "dozen", + "draft", + "drag", + "dragon", + "dragonfly", + "dragonfruit", + "dragster", + "drain", + "drainage", + "drake", + "drama", + "dramaturge", + "drapes", + "draw", + "drawbridge", + "drawer", + "drawing", + "dream", + "dreamer", + "dredger", + "dress", + "dresser", + "dressing", + "drill", + "drink", + "drinking", + "drive", + "driver", + "driveway", + "driving", + "drizzle", + "dromedary", + "drop", + "drudgery", + "drug", + "drum", + "drummer", + "dryer", + "duck", + "duckling", + "dud", + "dude", + "due", + "duel", + "dueling", + "duffel", + "dugout", + "dulcimer", + "dumbwaiter", + "dump", + "dune", + "dungarees", + "dungeon", + "duplexer", + "duration", + "durian", + "dusk", + "dust", + "duster", + "duty", + "dwell", + "dwelling", + "dynamics", + "dynamite", + "dynamo", + "dynasty", + "dysfunction", + "ebook", + "email", + "ereader", + "eagle", + "eaglet", + "ear", + "eardrum", + "earmuffs", + "earnings", + "earplug", + "earring", + "earrings", + "earth", + "earthquake", + "earthworm", + "ease", + "easel", + "east", + "eating", + "eaves", + "eavesdropper", + "ecclesia", + "echidna", + "eclipse", + "ecliptic", + "ecology", + "economics", + "economy", + "ecosystem", + "ectoderm", + "ectodermal", + "ecumenist", + "eddy", + "edge", + "edger", + "edible", + "editing", + "edition", + "editor", + "editorial", + "education", + "eel", + "effacement", + "effect", + "effective", + "effectiveness", + "effector", + "efficacy", + "efficiency", + "effort", + "egg", + "egghead", + "eggnog", + "eggplant", + "ego", + "eicosanoid", + "ejector", + "elbow", + "elderberry", + "election", + "electricity", + "electrocardiogram", + "electronics", + "element", + "elephant", + "elevation", + "elevator", + "eleventh", + "elf", + "elicit", + "eligibility", + "elimination", + "elite", + "elixir", + "elk", + "ellipse", + "elm", + "elongation", + "elver", + "email", + "emanate", + "embarrassment", + "embassy", + "embellishment", + "embossing", + "embryo", + "emerald", + "emergence", + "emergency", + "emergent", + "emery", + "emission", + "emitter", + "emotion", + "emphasis", + "empire", + "employ", + "employee", + "employer", + "employment", + "empowerment", + "emu", + "enactment", + "encirclement", + "enclave", + "enclosure", + "encounter", + "encouragement", + "encyclopedia", + "end", + "endive", + "endoderm", + "endorsement", + "endothelium", + "endpoint", + "enemy", + "energy", + "enforcement", + "engagement", + "engine", + "engineer", + "engineering", + "enigma", + "enjoyment", + "enquiry", + "enrollment", + "enterprise", + "entertainment", + "enthusiasm", + "entirety", + "entity", + "entrance", + "entree", + "entrepreneur", + "entry", + "envelope", + "environment", + "envy", + "enzyme", + "epauliere", + "epee", + "ephemera", + "ephemeris", + "ephyra", + "epic", + "episode", + "epithelium", + "epoch", + "eponym", + "epoxy", + "equal", + "equality", + "equation", + "equinox", + "equipment", + "equity", + "equivalent", + "era", + "eraser", + "erosion", + "error", + "escalator", + "escape", + "espadrille", + "espalier", + "essay", + "essence", + "essential", + "establishment", + "estate", + "estimate", + "estrogen", + "estuary", + "eternity", + "ethernet", + "ethics", + "ethnicity", + "ethyl", + "euphonium", + "eurocentrism", + "evaluation", + "evaluator", + "evaporation", + "eve", + "evening", + "eveningwear", + "event", + "everybody", + "everyone", + "everything", + "eviction", + "evidence", + "evil", + "evocation", + "evolution", + "exhusband", + "exwife", + "exaggeration", + "exam", + "examination", + "examiner", + "example", + "exasperation", + "excellence", + "exception", + "excerpt", + "excess", + "exchange", + "excitement", + "exclamation", + "excursion", + "excuse", + "execution", + "executive", + "executor", + "exercise", + "exhaust", + "exhaustion", + "exhibit", + "exhibition", + "exile", + "existence", + "exit", + "exocrine", + "expansion", + "expansionism", + "expectancy", + "expectation", + "expedition", + "expense", + "experience", + "experiment", + "experimentation", + "expert", + "expertise", + "explanation", + "exploration", + "explorer", + "export", + "expose", + "exposition", + "exposure", + "expression", + "extension", + "extent", + "exterior", + "external", + "extinction", + "extreme", + "extremist", + "eye", + "eyeball", + "eyebrow", + "eyebrows", + "eyeglasses", + "eyelash", + "eyelashes", + "eyelid", + "eyelids", + "eyeliner", + "eyestrain", + "eyrie", + "fabric", + "face", + "facelift", + "facet", + "facility", + "facsimile", + "fact", + "factor", + "factory", + "faculty", + "fahrenheit", + "fail", + "failure", + "fairness", + "fairy", + "faith", + "faithful", + "fall", + "fallacy", + "fallingout", + "fame", + "familiar", + "familiarity", + "family", + "fan", + "fang", + "fanlight", + "fannypack", + "fantasy", + "farm", + "farmer", + "farming", + "farmland", + "farrow", + "fascia", + "fashion", + "fat", + "fate", + "father", + "fatherinlaw", + "fatigue", + "fatigues", + "faucet", + "fault", + "fav", + "fava", + "favor", + "favorite", + "fawn", + "fax", + "fear", + "feast", + "feather", + "feature", + "fedelini", + "federation", + "fedora", + "fee", + "feed", + "feedback", + "feeding", + "feel", + "feeling", + "fellow", + "felony", + "female", + "fen", + "fence", + "fencing", + "fender", + "feng", + "fennel", + "ferret", + "ferry", + "ferryboat", + "fertilizer", + "festival", + "fetus", + "few", + "fiber", + "fiberglass", + "fibre", + "fibroblast", + "fibrosis", + "ficlet", + "fiction", + "fiddle", + "field", + "fiery", + "fiesta", + "fifth", + "fig", + "fight", + "fighter", + "figure", + "figurine", + "file", + "filing", + "fill", + "fillet", + "filly", + "film", + "filter", + "filth", + "final", + "finance", + "financing", + "finding", + "fine", + "finer", + "finger", + "fingerling", + "fingernail", + "finish", + "finisher", + "fir", + "fire", + "fireman", + "fireplace", + "firewall", + "firm", + "first", + "fish", + "fishbone", + "fisherman", + "fishery", + "fishing", + "fishmonger", + "fishnet", + "fit", + "fitness", + "fix", + "fixture", + "flag", + "flair", + "flame", + "flan", + "flanker", + "flare", + "flash", + "flat", + "flatboat", + "flavor", + "flax", + "fleck", + "fledgling", + "fleece", + "flesh", + "flexibility", + "flick", + "flicker", + "flight", + "flint", + "flintlock", + "flipflops", + "flock", + "flood", + "floodplain", + "floor", + "floozie", + "flour", + "flow", + "flower", + "flu", + "flugelhorn", + "fluke", + "flume", + "flung", + "flute", + "fly", + "flytrap", + "foal", + "foam", + "fob", + "focus", + "fog", + "fold", + "folder", + "folk", + "folklore", + "follower", + "following", + "fondue", + "font", + "food", + "foodstuffs", + "fool", + "foot", + "footage", + "football", + "footnote", + "footprint", + "footrest", + "footstep", + "footstool", + "footwear", + "forage", + "forager", + "foray", + "force", + "ford", + "forearm", + "forebear", + "forecast", + "forehead", + "foreigner", + "forelimb", + "forest", + "forestry", + "forever", + "forgery", + "fork", + "form", + "formal", + "formamide", + "format", + "formation", + "former", + "formicarium", + "formula", + "fort", + "forte", + "fortnight", + "fortress", + "fortune", + "forum", + "foundation", + "founder", + "founding", + "fountain", + "fourths", + "fowl", + "fox", + "foxglove", + "fraction", + "fragrance", + "frame", + "framework", + "fratricide", + "fraud", + "fraudster", + "freak", + "freckle", + "freedom", + "freelance", + "freezer", + "freezing", + "freight", + "freighter", + "frenzy", + "freon", + "frequency", + "fresco", + "friction", + "fridge", + "friend", + "friendship", + "fries", + "frigate", + "fright", + "fringe", + "fritter", + "frock", + "frog", + "front", + "frontier", + "frost", + "frosting", + "frown", + "fruit", + "frustration", + "fry", + "fuel", + "fugato", + "fulfillment", + "full", + "fun", + "function", + "functionality", + "fund", + "funding", + "fundraising", + "fur", + "furnace", + "furniture", + "fusarium", + "futon", + "future", + "gadget", + "gaffe", + "gaffer", + "gain", + "gaiters", + "gale", + "gallbladder", + "gallery", + "galley", + "gallon", + "galoshes", + "gambling", + "game", + "gamebird", + "gaming", + "gammaray", + "gander", + "gang", + "gap", + "garage", + "garb", + "garbage", + "garden", + "garlic", + "garment", + "garter", + "gas", + "gasket", + "gasoline", + "gasp", + "gastronomy", + "gastropod", + "gate", + "gateway", + "gather", + "gathering", + "gator", + "gauge", + "gauntlet", + "gavel", + "gazebo", + "gazelle", + "gear", + "gearshift", + "geek", + "gel", + "gelatin", + "gelding", + "gem", + "gemsbok", + "gender", + "gene", + "general", + "generation", + "generator", + "generosity", + "genetics", + "genie", + "genius", + "genre", + "gentleman", + "geography", + "geology", + "geometry", + "geranium", + "gerbil", + "gesture", + "geyser", + "gherkin", + "ghost", + "giant", + "gift", + "gig", + "gigantism", + "giggle", + "ginger", + "gingerbread", + "ginseng", + "giraffe", + "girdle", + "girl", + "girlfriend", + "glacier", + "gladiolus", + "glance", + "gland", + "glass", + "glasses", + "glee", + "glen", + "glider", + "gliding", + "glimpse", + "globe", + "glockenspiel", + "gloom", + "glory", + "glove", + "glow", + "glucose", + "glue", + "glut", + "glutamate", + "gnat", + "gnu", + "gokart", + "goal", + "goat", + "gobbler", + "god", + "goddess", + "godfather", + "godmother", + "godparent", + "goggles", + "going", + "gold", + "goldfish", + "golf", + "gondola", + "gong", + "good", + "goodbye", + "goodbye", + "goodie", + "goodness", + "goodnight", + "goodwill", + "goose", + "gopher", + "gorilla", + "gosling", + "gossip", + "governance", + "government", + "governor", + "gown", + "grabbag", + "grace", + "grade", + "gradient", + "graduate", + "graduation", + "graffiti", + "graft", + "grain", + "gram", + "grammar", + "gran", + "grand", + "grandchild", + "granddaughter", + "grandfather", + "grandma", + "grandmom", + "grandmother", + "grandpa", + "grandparent", + "grandson", + "granny", + "granola", + "grant", + "grape", + "grapefruit", + "graph", + "graphic", + "grasp", + "grass", + "grasshopper", + "grassland", + "gratitude", + "gravel", + "gravitas", + "gravity", + "gravy", + "gray", + "grease", + "greatgrandfather", + "greatgrandmother", + "greatness", + "greed", + "green", + "greenhouse", + "greens", + "grenade", + "grey", + "grid", + "grief", + "grill", + "grin", + "grip", + "gripper", + "grit", + "grocery", + "ground", + "group", + "grouper", + "grouse", + "grove", + "growth", + "grub", + "guacamole", + "guarantee", + "guard", + "guava", + "guerrilla", + "guess", + "guest", + "guestbook", + "guidance", + "guide", + "guideline", + "guilder", + "guilt", + "guilty", + "guinea", + "guitar", + "guitarist", + "gum", + "gumshoe", + "gun", + "gunpowder", + "gutter", + "guy", + "gym", + "gymnast", + "gymnastics", + "gynaecology", + "gyro", + "habit", + "habitat", + "hacienda", + "hacksaw", + "hackwork", + "hail", + "hair", + "haircut", + "hake", + "half", + "halfbrother", + "halfsister", + "halibut", + "hall", + "halloween", + "hallway", + "halt", + "ham", + "hamburger", + "hammer", + "hammock", + "hamster", + "hand", + "handholding", + "handball", + "handful", + "handgun", + "handicap", + "handle", + "handlebar", + "handmaiden", + "handover", + "handrail", + "handsaw", + "hanger", + "happening", + "happiness", + "harald", + "harbor", + "harbour", + "hardhat", + "hardboard", + "hardcover", + "hardening", + "hardhat", + "hardship", + "hardware", + "hare", + "harm", + "harmonica", + "harmonise", + "harmonize", + "harmony", + "harp", + "harpooner", + "harpsichord", + "harvest", + "harvester", + "hash", + "hashtag", + "hassock", + "haste", + "hat", + "hatbox", + "hatchet", + "hatchling", + "hate", + "hatred", + "haunt", + "haven", + "haversack", + "havoc", + "hawk", + "hay", + "haze", + "hazel", + "hazelnut", + "head", + "headache", + "headlight", + "headline", + "headphones", + "headquarters", + "headrest", + "health", + "healthcare", + "hearing", + "hearsay", + "heart", + "heartthrob", + "heartache", + "heartbeat", + "hearth", + "hearthside", + "heartwood", + "heat", + "heater", + "heating", + "heaven", + "heavy", + "hectare", + "hedge", + "hedgehog", + "heel", + "heifer", + "height", + "heir", + "heirloom", + "helicopter", + "helium", + "hellcat", + "hello", + "helmet", + "helo", + "help", + "hemisphere", + "hemp", + "hen", + "hepatitis", + "herb", + "herbs", + "heritage", + "hermit", + "hero", + "heroine", + "heron", + "herring", + "hesitation", + "hexagon", + "heyday", + "hiccups", + "hide", + "hierarchy", + "high", + "highrise", + "highland", + "highlight", + "highway", + "hike", + "hiking", + "hill", + "hint", + "hip", + "hippodrome", + "hippopotamus", + "hire", + "hiring", + "historian", + "history", + "hit", + "hive", + "hobbit", + "hobby", + "hockey", + "hog", + "hold", + "holder", + "hole", + "holiday", + "home", + "homeland", + "homeownership", + "hometown", + "homework", + "homogenate", + "homonym", + "honesty", + "honey", + "honeybee", + "honeydew", + "honor", + "honoree", + "hood", + "hoof", + "hook", + "hop", + "hope", + "hops", + "horde", + "horizon", + "hormone", + "horn", + "hornet", + "horror", + "horse", + "horseradish", + "horst", + "hose", + "hosiery", + "hospice", + "hospital", + "hospitalisation", + "hospitality", + "hospitalization", + "host", + "hostel", + "hostess", + "hotdog", + "hotel", + "hound", + "hour", + "hourglass", + "house", + "houseboat", + "household", + "housewife", + "housework", + "housing", + "hovel", + "hovercraft", + "howard", + "howitzer", + "hub", + "hubcap", + "hubris", + "hug", + "hugger", + "hull", + "human", + "humanity", + "humidity", + "hummus", + "humor", + "humour", + "hundred", + "hunger", + "hunt", + "hunter", + "hunting", + "hurdle", + "hurdler", + "hurricane", + "hurry", + "hurt", + "husband", + "hut", + "hutch", + "hyacinth", + "hybridisation", + "hybridization", + "hydrant", + "hydraulics", + "hydrocarb", + "hydrocarbon", + "hydrofoil", + "hydrogen", + "hydrolyse", + "hydrolysis", + "hydrolyze", + "hydroxyl", + "hyena", + "hygienic", + "hype", + "hyphenation", + "hypochondria", + "hypothermia", + "hypothesis", + "ice", + "icecream", + "iceberg", + "icebreaker", + "icecream", + "icicle", + "icing", + "icon", + "icy", + "id", + "idea", + "ideal", + "identification", + "identity", + "ideology", + "idiom", + "igloo", + "ignorance", + "ignorant", + "ikebana", + "illiteracy", + "illness", + "illusion", + "illustration", + "image", + "imagination", + "imbalance", + "imitation", + "immigrant", + "immigration", + "immortal", + "impact", + "impairment", + "impala", + "impediment", + "implement", + "implementation", + "implication", + "import", + "importance", + "impostor", + "impress", + "impression", + "imprisonment", + "impropriety", + "improvement", + "impudence", + "impulse", + "injoke", + "inlaws", + "inability", + "inauguration", + "inbox", + "incandescence", + "incarnation", + "incense", + "incentive", + "inch", + "incidence", + "incident", + "incision", + "inclusion", + "income", + "incompetence", + "inconvenience", + "increase", + "incubation", + "independence", + "independent", + "index", + "indication", + "indicator", + "indigence", + "individual", + "industrialisation", + "industrialization", + "industry", + "inequality", + "inevitable", + "infancy", + "infant", + "infarction", + "infection", + "infiltration", + "infinite", + "infix", + "inflammation", + "inflation", + "influence", + "influx", + "info", + "information", + "infrastructure", + "infusion", + "inglenook", + "ingrate", + "ingredient", + "inhabitant", + "inheritance", + "inhibition", + "inhibitor", + "initial", + "initialise", + "initialize", + "initiative", + "injunction", + "injury", + "injustice", + "ink", + "inlay", + "inn", + "innervation", + "innocence", + "innocent", + "innovation", + "input", + "inquiry", + "inscription", + "insect", + "insectarium", + "insert", + "inside", + "insight", + "insolence", + "insomnia", + "inspection", + "inspector", + "inspiration", + "installation", + "instance", + "instant", + "instinct", + "institute", + "institution", + "instruction", + "instructor", + "instrument", + "instrumentalist", + "instrumentation", + "insulation", + "insurance", + "insurgence", + "insurrection", + "integer", + "integral", + "integration", + "integrity", + "intellect", + "intelligence", + "intensity", + "intent", + "intention", + "intentionality", + "interaction", + "interchange", + "interconnection", + "interest", + "interface", + "interferometer", + "interior", + "interject", + "interloper", + "internet", + "interpretation", + "interpreter", + "interval", + "intervenor", + "intervention", + "interview", + "interviewer", + "intestine", + "introduction", + "intuition", + "invader", + "invasion", + "invention", + "inventor", + "inventory", + "inverse", + "inversion", + "investigation", + "investigator", + "investment", + "investor", + "invitation", + "invite", + "invoice", + "involvement", + "iridescence", + "iris", + "iron", + "ironclad", + "irony", + "irrigation", + "ischemia", + "island", + "isogloss", + "isolation", + "issue", + "item", + "itinerary", + "ivory", + "jack", + "jackal", + "jacket", + "jackfruit", + "jade", + "jaguar", + "jail", + "jailhouse", + "jalapeño", + "jam", + "jar", + "jasmine", + "jaw", + "jazz", + "jealousy", + "jeans", + "jeep", + "jelly", + "jellybeans", + "jellyfish", + "jet", + "jewel", + "jeweller", + "jewellery", + "jewelry", + "jicama", + "jiffy", + "job", + "jockey", + "jodhpurs", + "joey", + "jogging", + "joint", + "joke", + "jot", + "journal", + "journalism", + "journalist", + "journey", + "joy", + "judge", + "judgment", + "judo", + "jug", + "juggernaut", + "juice", + "julienne", + "jumbo", + "jump", + "jumper", + "jumpsuit", + "jungle", + "junior", + "junk", + "junker", + "junket", + "jury", + "justice", + "justification", + "jute", + "kale", + "kangaroo", + "karate", + "kayak", + "kazoo", + "kebab", + "keep", + "keeper", + "kendo", + "kennel", + "ketch", + "ketchup", + "kettle", + "kettledrum", + "key", + "keyboard", + "keyboarding", + "keystone", + "kick", + "kickoff", + "kid", + "kidney", + "kielbasa", + "kill", + "killer", + "killing", + "kilogram", + "kilometer", + "kilt", + "kimono", + "kinase", + "kind", + "kindness", + "king", + "kingdom", + "kingfish", + "kiosk", + "kiss", + "kit", + "kitchen", + "kite", + "kitsch", + "kitten", + "kitty", + "kiwi", + "knee", + "kneejerk", + "knickers", + "knife", + "knifeedge", + "knight", + "knitting", + "knock", + "knot", + "knowhow", + "knowledge", + "knuckle", + "koala", + "kohlrabi", + "lab", + "label", + "labor", + "laboratory", + "laborer", + "labour", + "labourer", + "lace", + "lack", + "lacquerware", + "lad", + "ladder", + "ladle", + "lady", + "ladybug", + "lag", + "lake", + "lamb", + "lambkin", + "lament", + "lamp", + "lanai", + "land", + "landform", + "landing", + "landmine", + "landscape", + "lane", + "language", + "lantern", + "lap", + "laparoscope", + "lapdog", + "laptop", + "larch", + "lard", + "larder", + "lark", + "larva", + "laryngitis", + "lasagna", + "lashes", + "last", + "latency", + "latex", + "lathe", + "latitude", + "latte", + "latter", + "laugh", + "laughter", + "laundry", + "lava", + "law", + "lawmaker", + "lawn", + "lawsuit", + "lawyer", + "lay", + "layer", + "layout", + "lead", + "leader", + "leadership", + "leading", + "leaf", + "league", + "leaker", + "leap", + "learning", + "leash", + "leather", + "leave", + "leaver", + "lecture", + "leek", + "leeway", + "left", + "leg", + "legacy", + "legal", + "legend", + "legging", + "legislation", + "legislator", + "legislature", + "legitimacy", + "legume", + "leisure", + "lemon", + "lemonade", + "lemur", + "lender", + "lending", + "length", + "lens", + "lentil", + "leopard", + "leprosy", + "leptocephalus", + "lesson", + "letter", + "lettuce", + "level", + "lever", + "leverage", + "leveret", + "liability", + "liar", + "liberty", + "library", + "licence", + "license", + "licensing", + "licorice", + "lid", + "lie", + "lieu", + "lieutenant", + "life", + "lifestyle", + "lifetime", + "lift", + "ligand", + "light", + "lighting", + "lightning", + "lightscreen", + "ligula", + "likelihood", + "likeness", + "lilac", + "lily", + "limb", + "lime", + "limestone", + "limit", + "limitation", + "limo", + "line", + "linen", + "liner", + "linguist", + "linguistics", + "lining", + "link", + "linkage", + "linseed", + "lion", + "lip", + "lipid", + "lipoprotein", + "lipstick", + "liquid", + "liquidity", + "liquor", + "list", + "listening", + "listing", + "literate", + "literature", + "litigation", + "litmus", + "litter", + "littleneck", + "liver", + "livestock", + "living", + "lizard", + "llama", + "load", + "loading", + "loaf", + "loafer", + "loan", + "lobby", + "lobotomy", + "lobster", + "local", + "locality", + "location", + "lock", + "locker", + "locket", + "locomotive", + "locust", + "lode", + "loft", + "log", + "loggia", + "logic", + "login", + "logistics", + "logo", + "loincloth", + "lollipop", + "loneliness", + "longboat", + "longitude", + "look", + "lookout", + "loop", + "loophole", + "loquat", + "lord", + "loss", + "lot", + "lotion", + "lottery", + "lounge", + "louse", + "lout", + "love", + "lover", + "lox", + "loyalty", + "luck", + "luggage", + "lumber", + "lumberman", + "lunch", + "luncheonette", + "lunchmeat", + "lunchroom", + "lung", + "lunge", + "lute", + "luxury", + "lychee", + "lycra", + "lye", + "lymphocyte", + "lynx", + "lyocell", + "lyre", + "lyrics", + "lysine", + "mRNA", + "macadamia", + "macaroni", + "macaroon", + "macaw", + "machine", + "machinery", + "macrame", + "macro", + "macrofauna", + "madam", + "maelstrom", + "maestro", + "magazine", + "maggot", + "magic", + "magnet", + "magnitude", + "maid", + "maiden", + "mail", + "mailbox", + "mailer", + "mailing", + "mailman", + "main", + "mainland", + "mainstream", + "maintainer", + "maintenance", + "maize", + "major", + "majorleague", + "majority", + "makeover", + "maker", + "makeup", + "making", + "male", + "malice", + "mall", + "mallard", + "mallet", + "malnutrition", + "mama", + "mambo", + "mammoth", + "man", + "manacle", + "management", + "manager", + "manatee", + "mandarin", + "mandate", + "mandolin", + "mangle", + "mango", + "mangrove", + "manhunt", + "maniac", + "manicure", + "manifestation", + "manipulation", + "mankind", + "manner", + "manor", + "mansard", + "manservant", + "mansion", + "mantel", + "mantle", + "mantua", + "manufacturer", + "manufacturing", + "many", + "map", + "maple", + "mapping", + "maracas", + "marathon", + "marble", + "march", + "mare", + "margarine", + "margin", + "mariachi", + "marimba", + "marines", + "marionberry", + "mark", + "marker", + "market", + "marketer", + "marketing", + "marketplace", + "marksman", + "markup", + "marmalade", + "marriage", + "marsh", + "marshland", + "marshmallow", + "marten", + "marxism", + "mascara", + "mask", + "masonry", + "mass", + "massage", + "mast", + "masterpiece", + "mastication", + "mastoid", + "mat", + "match", + "matchmaker", + "mate", + "material", + "maternity", + "math", + "mathematics", + "matrix", + "matter", + "mattock", + "mattress", + "max", + "maximum", + "maybe", + "mayonnaise", + "mayor", + "meadow", + "meal", + "mean", + "meander", + "meaning", + "means", + "meantime", + "measles", + "measure", + "measurement", + "meat", + "meatball", + "meatloaf", + "mecca", + "mechanic", + "mechanism", + "med", + "medal", + "media", + "median", + "medication", + "medicine", + "medium", + "meet", + "meeting", + "melatonin", + "melody", + "melon", + "member", + "membership", + "membrane", + "meme", + "memo", + "memorial", + "memory", + "men", + "menopause", + "menorah", + "mention", + "mentor", + "menu", + "merchandise", + "merchant", + "mercury", + "meridian", + "meringue", + "merit", + "mesenchyme", + "mess", + "message", + "messenger", + "messy", + "metabolite", + "metal", + "metallurgist", + "metaphor", + "meteor", + "meteorology", + "meter", + "methane", + "method", + "methodology", + "metric", + "metro", + "metronome", + "mezzanine", + "microlending", + "micronutrient", + "microphone", + "microwave", + "midcourse", + "midden", + "middle", + "middleman", + "midline", + "midnight", + "midwife", + "might", + "migrant", + "migration", + "mile", + "mileage", + "milepost", + "milestone", + "military", + "milk", + "milkshake", + "mill", + "millennium", + "millet", + "millimeter", + "million", + "millisecond", + "millstone", + "mime", + "mimosa", + "min", + "mincemeat", + "mind", + "mine", + "mineral", + "mineshaft", + "mini", + "miniskirt", + "minibus", + "minimalism", + "minimum", + "mining", + "minion", + "minister", + "mink", + "minnow", + "minor", + "minorleague", + "minority", + "mint", + "minute", + "miracle", + "mirror", + "miscommunication", + "misfit", + "misnomer", + "misplacement", + "misreading", + "misrepresentation", + "miss", + "missile", + "mission", + "mist", + "mistake", + "mister", + "misunderstand", + "miter", + "mitten", + "mix", + "mixer", + "mixture", + "moai", + "moat", + "mob", + "mobile", + "mobility", + "mobster", + "moccasins", + "mocha", + "mochi", + "mode", + "model", + "modeling", + "modem", + "modernist", + "modernity", + "modification", + "molar", + "molasses", + "molding", + "mole", + "molecule", + "mom", + "moment", + "monastery", + "monasticism", + "money", + "monger", + "monitor", + "monitoring", + "monk", + "monkey", + "monocle", + "monopoly", + "monotheism", + "monsoon", + "monster", + "month", + "monument", + "mood", + "moody", + "moon", + "moonlight", + "moonscape", + "moose", + "mop", + "morale", + "morbid", + "morbidity", + "morning", + "morphology", + "morsel", + "mortal", + "mortality", + "mortgage", + "mortise", + "mosque", + "mosquito", + "most", + "motel", + "moth", + "mother", + "motherinlaw", + "motion", + "motivation", + "motive", + "motor", + "motorboat", + "motorcar", + "motorcycle", + "mound", + "mountain", + "mouse", + "mouser", + "mousse", + "moustache", + "mouth", + "mouton", + "movement", + "mover", + "movie", + "mower", + "mozzarella", + "mud", + "muffin", + "mug", + "mukluk", + "mule", + "multimedia", + "muscat", + "muscatel", + "muscle", + "musculature", + "museum", + "mushroom", + "music", + "musicbox", + "musicmaking", + "musician", + "muskrat", + "mussel", + "mustache", + "mustard", + "mutation", + "mutt", + "mutton", + "mycoplasma", + "mystery", + "myth", + "mythology", + "nail", + "name", + "naming", + "nanoparticle", + "napkin", + "narrative", + "nasal", + "nation", + "nationality", + "native", + "naturalisation", + "nature", + "navigation", + "necessity", + "neck", + "necklace", + "necktie", + "nectar", + "nectarine", + "need", + "needle", + "neglect", + "negligee", + "negotiation", + "neighbor", + "neighborhood", + "neighbour", + "neighbourhood", + "neologism", + "neon", + "neonate", + "nephew", + "nerve", + "nest", + "nestling", + "nestmate", + "net", + "netball", + "netbook", + "netsuke", + "network", + "networking", + "neurobiologist", + "neuron", + "neuropathologist", + "neuropsychiatry", + "news", + "newsletter", + "newspaper", + "newsprint", + "newsstand", + "nexus", + "nibble", + "nicety", + "niche", + "nick", + "nickel", + "nickname", + "niece", + "night", + "nightclub", + "nightgown", + "nightingale", + "nightlife", + "nightlight", + "nightmare", + "ninja", + "nit", + "nitrogen", + "nobody", + "nod", + "node", + "noir", + "noise", + "nonbeliever", + "nonconformist", + "nondisclosure", + "nonsense", + "noodle", + "noodles", + "noon", + "norm", + "normal", + "normalisation", + "normalization", + "north", + "nose", + "notation", + "note", + "notebook", + "notepad", + "nothing", + "notice", + "notion", + "notoriety", + "nougat", + "noun", + "nourishment", + "novel", + "nucleotidase", + "nucleotide", + "nudge", + "nuke", + "number", + "numeracy", + "numeric", + "numismatist", + "nun", + "nurse", + "nursery", + "nursing", + "nurture", + "nut", + "nutmeg", + "nutrient", + "nutrition", + "nylon", + "oak", + "oar", + "oasis", + "oat", + "oatmeal", + "oats", + "obedience", + "obesity", + "obi", + "object", + "objection", + "objective", + "obligation", + "oboe", + "observation", + "observatory", + "obsession", + "obsidian", + "obstacle", + "occasion", + "occupation", + "occurrence", + "ocean", + "ocelot", + "octagon", + "octave", + "octavo", + "octet", + "octopus", + "odometer", + "odyssey", + "oeuvre", + "offramp", + "offence", + "offense", + "offer", + "offering", + "office", + "officer", + "official", + "offset", + "oil", + "okra", + "oldie", + "oleo", + "olive", + "omega", + "omelet", + "omission", + "omnivore", + "oncology", + "onion", + "online", + "onset", + "opening", + "opera", + "operating", + "operation", + "operator", + "ophthalmologist", + "opinion", + "opossum", + "opponent", + "opportunist", + "opportunity", + "opposite", + "opposition", + "optimal", + "optimisation", + "optimist", + "optimization", + "option", + "orange", + "orangutan", + "orator", + "orchard", + "orchestra", + "orchid", + "order", + "ordinary", + "ordination", + "ore", + "oregano", + "organ", + "organisation", + "organising", + "organization", + "organizing", + "orient", + "orientation", + "origin", + "original", + "originality", + "ornament", + "osmosis", + "osprey", + "ostrich", + "other", + "otter", + "ottoman", + "ounce", + "outback", + "outcome", + "outfielder", + "outfit", + "outhouse", + "outlaw", + "outlay", + "outlet", + "outline", + "outlook", + "output", + "outrage", + "outrigger", + "outrun", + "outset", + "outside", + "oval", + "ovary", + "oven", + "overcharge", + "overclocking", + "overcoat", + "overexertion", + "overflight", + "overhead", + "overheard", + "overload", + "overnighter", + "overshoot", + "oversight", + "overview", + "overweight", + "owl", + "owner", + "ownership", + "ox", + "oxford", + "oxygen", + "oyster", + "ozone", + "pace", + "pacemaker", + "pack", + "package", + "packaging", + "packet", + "pad", + "paddle", + "paddock", + "pagan", + "page", + "pagoda", + "pail", + "pain", + "paint", + "painter", + "painting", + "paintwork", + "pair", + "pajamas", + "palace", + "palate", + "palm", + "pamphlet", + "pan", + "pancake", + "pancreas", + "panda", + "panel", + "panic", + "pannier", + "panpipe", + "panther", + "pantologist", + "pantology", + "pantry", + "pants", + "pantsuit", + "pantyhose", + "papa", + "papaya", + "paper", + "paperback", + "paperwork", + "parable", + "parachute", + "parade", + "paradise", + "paragraph", + "parallelogram", + "paramecium", + "paramedic", + "parameter", + "paranoia", + "parcel", + "parchment", + "pard", + "pardon", + "parent", + "parenthesis", + "parenting", + "park", + "parka", + "parking", + "parliament", + "parole", + "parrot", + "parser", + "parsley", + "parsnip", + "part", + "participant", + "participation", + "particle", + "particular", + "partner", + "partnership", + "partridge", + "party", + "pass", + "passage", + "passbook", + "passenger", + "passing", + "passion", + "passive", + "passport", + "password", + "past", + "pasta", + "paste", + "pastor", + "pastoralist", + "pastry", + "pasture", + "pat", + "patch", + "pate", + "patent", + "patentee", + "path", + "pathogenesis", + "pathology", + "pathway", + "patience", + "patient", + "patina", + "patio", + "patriarch", + "patrimony", + "patriot", + "patrol", + "patroller", + "patrolling", + "patron", + "pattern", + "patty", + "pattypan", + "pause", + "pavement", + "pavilion", + "paw", + "pawnshop", + "pay", + "payee", + "payment", + "payoff", + "pea", + "peace", + "peach", + "peacoat", + "peacock", + "peak", + "peanut", + "pear", + "pearl", + "peasant", + "pecan", + "pedal", + "peek", + "peen", + "peer", + "peertopeer", + "pegboard", + "pelican", + "pelt", + "pen", + "penalty", + "pence", + "pencil", + "pendant", + "pendulum", + "penguin", + "penicillin", + "peninsula", + "pennant", + "penny", + "pension", + "pentagon", + "peony", + "people", + "pepper", + "pepperoni", + "percent", + "percentage", + "perception", + "perch", + "perennial", + "perfection", + "performance", + "perfume", + "period", + "periodical", + "peripheral", + "permafrost", + "permission", + "permit", + "perp", + "perpendicular", + "persimmon", + "person", + "personal", + "personality", + "personnel", + "perspective", + "pest", + "pet", + "petal", + "petition", + "petitioner", + "petticoat", + "pew", + "pharmacist", + "pharmacopoeia", + "phase", + "pheasant", + "phenomenon", + "phenotype", + "pheromone", + "philanthropy", + "philosopher", + "philosophy", + "phone", + "phosphate", + "photo", + "photodiode", + "photograph", + "photographer", + "photography", + "photoreceptor", + "phrase", + "phrasing", + "physical", + "physics", + "physiology", + "pianist", + "piano", + "piccolo", + "pick", + "pickax", + "pickaxe", + "picket", + "pickle", + "pickup", + "picnic", + "picture", + "picturesque", + "pie", + "piece", + "pier", + "piety", + "pig", + "pigeon", + "piglet", + "pigpen", + "pigsty", + "pike", + "pilaf", + "pile", + "pilgrim", + "pilgrimage", + "pill", + "pillar", + "pillbox", + "pillow", + "pilot", + "pimple", + "pin", + "pinafore", + "pincenez", + "pine", + "pineapple", + "pinecone", + "ping", + "pinkie", + "pinot", + "pinstripe", + "pint", + "pinto", + "pinworm", + "pioneer", + "pipe", + "pipeline", + "piracy", + "pirate", + "pit", + "pita", + "pitch", + "pitcher", + "pitching", + "pith", + "pizza", + "place", + "placebo", + "placement", + "placode", + "plagiarism", + "plain", + "plaintiff", + "plan", + "plane", + "planet", + "planning", + "plant", + "plantation", + "planter", + "planula", + "plaster", + "plasterboard", + "plastic", + "plate", + "platelet", + "platform", + "platinum", + "platter", + "platypus", + "play", + "player", + "playground", + "playroom", + "playwright", + "plea", + "pleasure", + "pleat", + "pledge", + "plenty", + "plier", + "pliers", + "plight", + "plot", + "plough", + "plover", + "plow", + "plowman", + "plug", + "plugin", + "plum", + "plumber", + "plume", + "plunger", + "plywood", + "pneumonia", + "pocket", + "pocketwatch", + "pocketbook", + "pod", + "podcast", + "poem", + "poet", + "poetry", + "poignance", + "point", + "poison", + "poisoning", + "poker", + "polarisation", + "polarization", + "pole", + "polenta", + "police", + "policeman", + "policy", + "polish", + "politician", + "politics", + "poll", + "polliwog", + "pollutant", + "pollution", + "polo", + "polyester", + "polyp", + "pomegranate", + "pomelo", + "pompom", + "poncho", + "pond", + "pony", + "pool", + "poor", + "pop", + "popcorn", + "poppy", + "popsicle", + "popularity", + "population", + "populist", + "porcelain", + "porch", + "porcupine", + "pork", + "porpoise", + "port", + "porter", + "portfolio", + "porthole", + "portion", + "portrait", + "position", + "possession", + "possibility", + "possible", + "post", + "postage", + "postbox", + "poster", + "posterior", + "postfix", + "pot", + "potato", + "potential", + "pottery", + "potty", + "pouch", + "poultry", + "pound", + "pounding", + "poverty", + "powder", + "power", + "practice", + "practitioner", + "prairie", + "praise", + "pray", + "prayer", + "precedence", + "precedent", + "precipitation", + "precision", + "predecessor", + "preface", + "preference", + "prefix", + "pregnancy", + "prejudice", + "prelude", + "premeditation", + "premier", + "premise", + "premium", + "preoccupation", + "preparation", + "prescription", + "presence", + "present", + "presentation", + "preservation", + "preserves", + "presidency", + "president", + "press", + "pressroom", + "pressure", + "pressurisation", + "pressurization", + "prestige", + "presume", + "pretzel", + "prevalence", + "prevention", + "prey", + "price", + "pricing", + "pride", + "priest", + "priesthood", + "primary", + "primate", + "prince", + "princess", + "principal", + "principle", + "print", + "printer", + "printing", + "prior", + "priority", + "prison", + "prisoner", + "privacy", + "private", + "privilege", + "prize", + "prizefight", + "probability", + "probation", + "probe", + "problem", + "procedure", + "proceedings", + "process", + "processing", + "processor", + "proctor", + "procurement", + "produce", + "producer", + "product", + "production", + "productivity", + "profession", + "professional", + "professor", + "profile", + "profit", + "progenitor", + "program", + "programme", + "programming", + "progress", + "progression", + "prohibition", + "project", + "proliferation", + "promenade", + "promise", + "promotion", + "prompt", + "pronoun", + "pronunciation", + "proof", + "proofreader", + "propane", + "property", + "prophet", + "proponent", + "proportion", + "proposal", + "proposition", + "proprietor", + "prose", + "prosecution", + "prosecutor", + "prospect", + "prosperity", + "prostacyclin", + "prostanoid", + "prostrate", + "protection", + "protein", + "protest", + "protocol", + "providence", + "provider", + "province", + "provision", + "prow", + "proximal", + "proximity", + "prune", + "pruner", + "pseudocode", + "pseudoscience", + "psychiatrist", + "psychoanalyst", + "psychologist", + "psychology", + "ptarmigan", + "pub", + "public", + "publication", + "publicity", + "publisher", + "publishing", + "pudding", + "puddle", + "puffin", + "pug", + "puggle", + "pulley", + "pulse", + "puma", + "pump", + "pumpernickel", + "pumpkin", + "pumpkinseed", + "pun", + "punch", + "punctuation", + "punishment", + "pup", + "pupa", + "pupil", + "puppet", + "puppy", + "purchase", + "puritan", + "purity", + "purpose", + "purr", + "purse", + "pursuit", + "push", + "pusher", + "put", + "puzzle", + "pyramid", + "pyridine", + "quadrant", + "quail", + "qualification", + "quality", + "quantity", + "quart", + "quarter", + "quartet", + "quartz", + "queen", + "query", + "quest", + "question", + "questioner", + "questionnaire", + "quiche", + "quicksand", + "quiet", + "quill", + "quilt", + "quince", + "quinoa", + "quit", + "quiver", + "quota", + "quotation", + "quote", + "rabbi", + "rabbit", + "raccoon", + "race", + "racer", + "racing", + "rack", + "radar", + "radiator", + "radio", + "radiosonde", + "radish", + "raffle", + "raft", + "rag", + "rage", + "raid", + "rail", + "railing", + "railroad", + "railway", + "raiment", + "rain", + "rainbow", + "raincoat", + "rainmaker", + "rainstorm", + "rainy", + "raise", + "raisin", + "rake", + "rally", + "ram", + "rambler", + "ramen", + "ramie", + "ranch", + "rancher", + "randomisation", + "randomization", + "range", + "ranger", + "rank", + "rap", + "raspberry", + "rat", + "rate", + "ratepayer", + "rating", + "ratio", + "rationale", + "rations", + "raven", + "ravioli", + "rawhide", + "ray", + "rayon", + "razor", + "reach", + "reactant", + "reaction", + "read", + "reader", + "readiness", + "reading", + "real", + "reality", + "realization", + "realm", + "reamer", + "rear", + "reason", + "reasoning", + "rebel", + "rebellion", + "reboot", + "recall", + "recapitulation", + "receipt", + "receiver", + "reception", + "receptor", + "recess", + "recession", + "recipe", + "recipient", + "reciprocity", + "reclamation", + "recliner", + "recognition", + "recollection", + "recommendation", + "reconsideration", + "record", + "recorder", + "recording", + "recovery", + "recreation", + "recruit", + "rectangle", + "redesign", + "redhead", + "redirect", + "rediscovery", + "reduction", + "reef", + "refectory", + "reference", + "referendum", + "reflection", + "reform", + "refreshments", + "refrigerator", + "refuge", + "refund", + "refusal", + "refuse", + "regard", + "regime", + "region", + "regionalism", + "register", + "registration", + "registry", + "regret", + "regulation", + "regulator", + "rehospitalisation", + "rehospitalization", + "reindeer", + "reinscription", + "reject", + "relation", + "relationship", + "relative", + "relaxation", + "relay", + "release", + "reliability", + "relief", + "religion", + "relish", + "reluctance", + "remains", + "remark", + "reminder", + "remnant", + "remote", + "removal", + "renaissance", + "rent", + "reorganisation", + "reorganization", + "repair", + "reparation", + "repayment", + "repeat", + "replacement", + "replica", + "replication", + "reply", + "report", + "reporter", + "reporting", + "repository", + "representation", + "representative", + "reprocessing", + "republic", + "republican", + "reputation", + "request", + "requirement", + "resale", + "rescue", + "research", + "researcher", + "resemblance", + "reservation", + "reserve", + "reservoir", + "reset", + "residence", + "resident", + "residue", + "resist", + "resistance", + "resolution", + "resolve", + "resort", + "resource", + "respect", + "respite", + "response", + "responsibility", + "rest", + "restaurant", + "restoration", + "restriction", + "restroom", + "restructuring", + "result", + "resume", + "retailer", + "retention", + "rethinking", + "retina", + "retirement", + "retouching", + "retreat", + "retrospect", + "retrospective", + "retrospectivity", + "return", + "reunion", + "revascularisation", + "revascularization", + "reveal", + "revelation", + "revenant", + "revenge", + "revenue", + "reversal", + "reverse", + "review", + "revitalisation", + "revitalization", + "revival", + "revolution", + "revolver", + "reward", + "rhetoric", + "rheumatism", + "rhinoceros", + "rhubarb", + "rhyme", + "rhythm", + "rib", + "ribbon", + "rice", + "riddle", + "ride", + "rider", + "ridge", + "riding", + "rifle", + "right", + "rim", + "ring", + "ringworm", + "riot", + "rip", + "ripple", + "rise", + "riser", + "risk", + "rite", + "ritual", + "river", + "riverbed", + "rivulet", + "road", + "roadway", + "roar", + "roast", + "robe", + "robin", + "robot", + "robotics", + "rock", + "rocker", + "rocket", + "rocketship", + "rod", + "role", + "roll", + "roller", + "romaine", + "romance", + "roof", + "room", + "roommate", + "rooster", + "root", + "rope", + "rose", + "rosemary", + "roster", + "rostrum", + "rotation", + "round", + "roundabout", + "route", + "router", + "routine", + "row", + "rowboat", + "rowing", + "rubber", + "rubbish", + "rubric", + "ruby", + "ruckus", + "rudiment", + "ruffle", + "rug", + "rugby", + "ruin", + "rule", + "ruler", + "ruling", + "rumor", + "run", + "runaway", + "runner", + "running", + "runway", + "rush", + "rust", + "rutabaga", + "rye", + "sabre", + "sack", + "saddle", + "sadness", + "safari", + "safe", + "safeguard", + "safety", + "saffron", + "sage", + "sail", + "sailboat", + "sailing", + "sailor", + "saint", + "sake", + "salad", + "salami", + "salary", + "sale", + "salesman", + "salmon", + "salon", + "saloon", + "salsa", + "salt", + "salute", + "samovar", + "sampan", + "sample", + "samurai", + "sanction", + "sanctity", + "sanctuary", + "sand", + "sandal", + "sandbar", + "sandpaper", + "sandwich", + "sanity", + "sardine", + "sari", + "sarong", + "sash", + "satellite", + "satin", + "satire", + "satisfaction", + "sauce", + "saucer", + "sauerkraut", + "sausage", + "savage", + "savannah", + "saving", + "savings", + "savior", + "saviour", + "savory", + "saw", + "saxophone", + "scaffold", + "scale", + "scallion", + "scallops", + "scalp", + "scam", + "scanner", + "scarecrow", + "scarf", + "scarification", + "scenario", + "scene", + "scenery", + "scent", + "schedule", + "scheduling", + "schema", + "scheme", + "schnitzel", + "scholar", + "scholarship", + "school", + "schoolhouse", + "schooner", + "science", + "scientist", + "scimitar", + "scissors", + "scooter", + "scope", + "score", + "scorn", + "scorpion", + "scotch", + "scout", + "scow", + "scrambled", + "scrap", + "scraper", + "scratch", + "screamer", + "screen", + "screening", + "screenwriting", + "screw", + "screwup", + "screwdriver", + "scrim", + "scrip", + "script", + "scripture", + "scrutiny", + "sculpting", + "sculptural", + "sculpture", + "sea", + "seabass", + "seafood", + "seagull", + "seal", + "seaplane", + "search", + "seashore", + "seaside", + "season", + "seat", + "seaweed", + "second", + "secrecy", + "secret", + "secretariat", + "secretary", + "secretion", + "section", + "sectional", + "sector", + "security", + "sediment", + "seed", + "seeder", + "seeker", + "seep", + "segment", + "seizure", + "selection", + "self", + "selfconfidence", + "selfcontrol", + "selfesteem", + "seller", + "selling", + "semantics", + "semester", + "semicircle", + "semicolon", + "semiconductor", + "seminar", + "senate", + "senator", + "sender", + "senior", + "sense", + "sensibility", + "sensitive", + "sensitivity", + "sensor", + "sentence", + "sentencing", + "sentiment", + "sepal", + "separation", + "septicaemia", + "sequel", + "sequence", + "serial", + "series", + "sermon", + "serum", + "serval", + "servant", + "server", + "service", + "servitude", + "sesame", + "session", + "set", + "setback", + "setting", + "settlement", + "settler", + "severity", + "sewer", + "shack", + "shackle", + "shade", + "shadow", + "shadowbox", + "shakedown", + "shaker", + "shallot", + "shallows", + "shame", + "shampoo", + "shanty", + "shape", + "share", + "shareholder", + "shark", + "shaw", + "shawl", + "shear", + "shearling", + "sheath", + "shed", + "sheep", + "sheet", + "shelf", + "shell", + "shelter", + "sherbet", + "sherry", + "shield", + "shift", + "shin", + "shine", + "shingle", + "ship", + "shipper", + "shipping", + "shipyard", + "shirt", + "shirtdress", + "shoat", + "shock", + "shoe", + "shoehorn", + "shoehorn", + "shoelace", + "shoemaker", + "shoes", + "shoestring", + "shofar", + "shoot", + "shootdown", + "shop", + "shopper", + "shopping", + "shore", + "shoreline", + "short", + "shortage", + "shorts", + "shortwave", + "shot", + "shoulder", + "shout", + "shovel", + "show", + "showstopper", + "shower", + "shred", + "shrimp", + "shrine", + "shutdown", + "sibling", + "sick", + "sickness", + "side", + "sideboard", + "sideburns", + "sidecar", + "sidestream", + "sidewalk", + "siding", + "siege", + "sigh", + "sight", + "sightseeing", + "sign", + "signal", + "signature", + "signet", + "significance", + "signify", + "signup", + "silence", + "silica", + "silicon", + "silk", + "silkworm", + "sill", + "silly", + "silo", + "silver", + "similarity", + "simple", + "simplicity", + "simplification", + "simvastatin", + "sin", + "singer", + "singing", + "singular", + "sink", + "sinuosity", + "sip", + "sir", + "sister", + "sisterinlaw", + "sitar", + "site", + "situation", + "size", + "skate", + "skating", + "skean", + "skeleton", + "ski", + "skiing", + "skill", + "skin", + "skirt", + "skull", + "skullcap", + "skullduggery", + "skunk", + "sky", + "skylight", + "skyline", + "skyscraper", + "skywalk", + "slang", + "slapstick", + "slash", + "slate", + "slaw", + "sled", + "sledge", + "sleep", + "sleepiness", + "sleeping", + "sleet", + "sleuth", + "slice", + "slide", + "slider", + "slime", + "slip", + "slipper", + "slippers", + "slope", + "slot", + "sloth", + "slump", + "smell", + "smelting", + "smile", + "smith", + "smock", + "smog", + "smoke", + "smoking", + "smolt", + "smuggling", + "snack", + "snail", + "snake", + "snakebite", + "snap", + "snarl", + "sneaker", + "sneakers", + "sneeze", + "sniffle", + "snob", + "snorer", + "snow", + "snowboarding", + "snowflake", + "snowman", + "snowmobiling", + "snowplow", + "snowstorm", + "snowsuit", + "snuck", + "snug", + "snuggle", + "soap", + "soccer", + "socialism", + "socialist", + "society", + "sociology", + "sock", + "socks", + "soda", + "sofa", + "softball", + "softdrink", + "softening", + "software", + "soil", + "soldier", + "sole", + "solicitation", + "solicitor", + "solidarity", + "solidity", + "soliloquy", + "solitaire", + "solution", + "solvency", + "sombrero", + "somebody", + "someone", + "someplace", + "somersault", + "something", + "somewhere", + "son", + "sonar", + "sonata", + "song", + "songbird", + "sonnet", + "soot", + "sophomore", + "soprano", + "sorbet", + "sorghum", + "sorrel", + "sorrow", + "sort", + "soul", + "soulmate", + "sound", + "soundness", + "soup", + "source", + "sourwood", + "sousaphone", + "south", + "southeast", + "souvenir", + "sovereignty", + "sow", + "soy", + "soybean", + "space", + "spacing", + "spaghetti", + "span", + "spandex", + "sparerib", + "spark", + "sparrow", + "spasm", + "spat", + "spatula", + "spawn", + "speaker", + "speakerphone", + "speaking", + "spear", + "spec", + "special", + "specialist", + "specialty", + "species", + "specification", + "spectacle", + "spectacles", + "spectrograph", + "spectrum", + "speculation", + "speech", + "speed", + "speedboat", + "spell", + "spelling", + "spelt", + "spending", + "sphere", + "sphynx", + "spice", + "spider", + "spiderling", + "spike", + "spill", + "spinach", + "spine", + "spiral", + "spirit", + "spiritual", + "spirituality", + "spit", + "spite", + "spleen", + "splendor", + "split", + "spokesman", + "spokeswoman", + "sponge", + "sponsor", + "sponsorship", + "spool", + "spoon", + "spork", + "sport", + "sportsman", + "spot", + "spotlight", + "spouse", + "sprag", + "sprat", + "spray", + "spread", + "spreadsheet", + "spree", + "spring", + "sprinkles", + "sprinter", + "sprout", + "spruce", + "spud", + "spume", + "spur", + "spy", + "spyglass", + "square", + "squash", + "squatter", + "squeegee", + "squid", + "squirrel", + "stab", + "stability", + "stable", + "stack", + "stacking", + "stadium", + "staff", + "stag", + "stage", + "stain", + "stair", + "staircase", + "stake", + "stalk", + "stall", + "stallion", + "stamen", + "stamina", + "stamp", + "stance", + "stand", + "standard", + "standardisation", + "standardization", + "standing", + "standoff", + "standpoint", + "star", + "starboard", + "start", + "starter", + "state", + "statement", + "statin", + "station", + "stationwagon", + "statistic", + "statistics", + "statue", + "status", + "statute", + "stay", + "steak", + "stealth", + "steam", + "steamroller", + "steel", + "steeple", + "stem", + "stench", + "stencil", + "step", + "stepaunt", + "stepbrother", + "stepdaughter", + "stepfather", + "stepgrandfather", + "stepgrandmother", + "stepmother", + "stepsister", + "stepson", + "stepuncle", + "stepdaughter", + "stepmother", + "steppingstone", + "stepson", + "stereo", + "stew", + "steward", + "stick", + "sticker", + "stiletto", + "still", + "stimulation", + "stimulus", + "sting", + "stinger", + "stirfry", + "stitch", + "stitcher", + "stock", + "stockintrade", + "stockings", + "stole", + "stomach", + "stone", + "stonework", + "stool", + "stop", + "stopsign", + "stopwatch", + "storage", + "store", + "storey", + "storm", + "story", + "storytelling", + "storyboard", + "stot", + "stove", + "strait", + "strand", + "stranger", + "strap", + "strategy", + "straw", + "strawberry", + "strawman", + "stream", + "street", + "streetcar", + "strength", + "stress", + "stretch", + "strife", + "strike", + "string", + "strip", + "stripe", + "strobe", + "structure", + "strudel", + "struggle", + "stucco", + "stud", + "student", + "studio", + "study", + "stuff", + "stumbling", + "stump", + "stupidity", + "sturgeon", + "sty", + "style", + "styling", + "stylus", + "sub", + "subcomponent", + "subconscious", + "subcontractor", + "subexpression", + "subgroup", + "subject", + "submarine", + "submitter", + "subprime", + "subroutine", + "subscription", + "subsection", + "subset", + "subsidence", + "subsidiary", + "subsidy", + "substance", + "substitution", + "subtitle", + "suburb", + "subway", + "success", + "succotash", + "suede", + "suet", + "suffocation", + "sugar", + "suggestion", + "suit", + "suitcase", + "suite", + "sulfur", + "sultan", + "sum", + "summary", + "summer", + "summit", + "sun", + "sunbeam", + "sunbonnet", + "sundae", + "sunday", + "sundial", + "sunflower", + "sunglasses", + "sunlamp", + "sunlight", + "sunrise", + "sunroom", + "sunset", + "sunshine", + "superiority", + "supermarket", + "supernatural", + "supervision", + "supervisor", + "supper", + "supplement", + "supplier", + "supply", + "support", + "supporter", + "suppression", + "supreme", + "surface", + "surfboard", + "surge", + "surgeon", + "surgery", + "surname", + "surplus", + "surprise", + "surround", + "surroundings", + "surrounds", + "survey", + "survival", + "survivor", + "sushi", + "suspect", + "suspenders", + "suspension", + "sustainment", + "sustenance", + "swamp", + "swan", + "swanling", + "swath", + "sweat", + "sweater", + "sweatshirt", + "sweatshop", + "sweatsuit", + "sweets", + "swell", + "swim", + "swimming", + "swimsuit", + "swine", + "swing", + "switch", + "switchboard", + "switching", + "swivel", + "sword", + "swordfight", + "swordfish", + "sycamore", + "symbol", + "symmetry", + "sympathy", + "symptom", + "syndicate", + "syndrome", + "synergy", + "synod", + "synonym", + "synthesis", + "syrup", + "system", + "tshirt", + "tab", + "tabby", + "tabernacle", + "table", + "tablecloth", + "tablet", + "tabletop", + "tachometer", + "tackle", + "taco", + "tactics", + "tactile", + "tadpole", + "tag", + "tail", + "tailbud", + "tailor", + "tailspin", + "takeout", + "takeover", + "tale", + "talent", + "talk", + "talking", + "tamale", + "tambour", + "tambourine", + "tan", + "tandem", + "tangerine", + "tank", + "tanktop", + "tanker", + "tankful", + "tap", + "tape", + "tapioca", + "target", + "taro", + "tarragon", + "tart", + "task", + "tassel", + "taste", + "tatami", + "tattler", + "tattoo", + "tavern", + "tax", + "taxi", + "taxicab", + "taxpayer", + "tea", + "teacher", + "teaching", + "team", + "teammate", + "teapot", + "tear", + "tech", + "technician", + "technique", + "technologist", + "technology", + "tectonics", + "teen", + "teenager", + "teepee", + "telephone", + "telescreen", + "teletype", + "television", + "tell", + "teller", + "temp", + "temper", + "temperature", + "temple", + "tempo", + "temporariness", + "temporary", + "temptation", + "temptress", + "tenant", + "tendency", + "tender", + "tenement", + "tenet", + "tennis", + "tenor", + "tension", + "tensor", + "tent", + "tentacle", + "tenth", + "tepee", + "teriyaki", + "term", + "terminal", + "termination", + "terminology", + "termite", + "terrace", + "terracotta", + "terrapin", + "terrarium", + "territory", + "test", + "testament", + "testimonial", + "testimony", + "testing", + "text", + "textbook", + "textual", + "texture", + "thanks", + "thaw", + "theater", + "theft", + "theism", + "theme", + "theology", + "theory", + "therapist", + "therapy", + "thermals", + "thermometer", + "thermostat", + "thesis", + "thickness", + "thief", + "thigh", + "thing", + "thinking", + "thirst", + "thistle", + "thong", + "thongs", + "thorn", + "thought", + "thousand", + "thread", + "threat", + "threshold", + "thrift", + "thrill", + "throne", + "thrush", + "thumb", + "thump", + "thunder", + "thunderbolt", + "thunderhead", + "thunderstorm", + "thyme", + "tiara", + "tic", + "tick", + "ticket", + "tide", + "tie", + "tiger", + "tights", + "tile", + "till", + "tilt", + "timbale", + "timber", + "time", + "timeline", + "timeout", + "timer", + "timetable", + "timing", + "timpani", + "tin", + "tinderbox", + "tintype", + "tip", + "tire", + "tissue", + "titanium", + "title", + "toad", + "toast", + "toaster", + "tobacco", + "today", + "toe", + "toenail", + "toffee", + "tofu", + "tog", + "toga", + "toilet", + "tolerance", + "tolerant", + "toll", + "tomtom", + "tomatillo", + "tomato", + "tomb", + "tomography", + "tomorrow", + "ton", + "tonality", + "tone", + "tongue", + "tonic", + "tonight", + "tool", + "toot", + "tooth", + "toothbrush", + "toothpaste", + "toothpick", + "top", + "tophat", + "topic", + "topsail", + "toque", + "toreador", + "tornado", + "torso", + "torte", + "tortellini", + "tortilla", + "tortoise", + "total", + "tote", + "touch", + "toughguy", + "tour", + "tourism", + "tourist", + "tournament", + "towtruck", + "towel", + "tower", + "town", + "townhouse", + "township", + "toy", + "trace", + "trachoma", + "track", + "tracking", + "tracksuit", + "tract", + "tractor", + "trade", + "trader", + "trading", + "tradition", + "traditionalism", + "traffic", + "trafficker", + "tragedy", + "trail", + "trailer", + "trailpatrol", + "train", + "trainer", + "training", + "trait", + "tram", + "trance", + "transaction", + "transcript", + "transfer", + "transformation", + "transit", + "transition", + "translation", + "transmission", + "transom", + "transparency", + "transplantation", + "transport", + "transportation", + "trap", + "trapdoor", + "trapezium", + "trapezoid", + "trash", + "travel", + "traveler", + "tray", + "treasure", + "treasury", + "treat", + "treatment", + "treaty", + "tree", + "trek", + "trellis", + "tremor", + "trench", + "trend", + "triad", + "trial", + "triangle", + "tribe", + "tributary", + "trick", + "trigger", + "trigonometry", + "trillion", + "trim", + "trinket", + "trip", + "tripod", + "tritone", + "triumph", + "trolley", + "troop", + "trooper", + "trophy", + "trouble", + "trousers", + "trout", + "trove", + "trowel", + "truck", + "trumpet", + "trunk", + "trust", + "trustee", + "truth", + "try", + "tsunami", + "tub", + "tuba", + "tube", + "tuber", + "tug", + "tugboat", + "tuition", + "tulip", + "tumbler", + "tummy", + "tuna", + "tune", + "tuneup", + "tunic", + "tunnel", + "turban", + "turf", + "turkey", + "turmeric", + "turn", + "turning", + "turnip", + "turnover", + "turnstile", + "turret", + "turtle", + "tusk", + "tussle", + "tutu", + "tuxedo", + "tweet", + "tweezers", + "twig", + "twilight", + "twine", + "twins", + "twist", + "twister", + "twitter", + "type", + "typeface", + "typewriter", + "typhoon", + "ukulele", + "ultimatum", + "umbrella", + "unblinking", + "uncertainty", + "uncle", + "underclothes", + "underestimate", + "underground", + "underneath", + "underpants", + "underpass", + "undershirt", + "understanding", + "understatement", + "undertaker", + "underwear", + "underweight", + "underwire", + "underwriting", + "unemployment", + "unibody", + "uniform", + "uniformity", + "union", + "unique", + "unit", + "unity", + "universe", + "university", + "update", + "upgrade", + "uplift", + "upper", + "upstairs", + "upward", + "urge", + "urgency", + "urn", + "usage", + "use", + "user", + "usher", + "usual", + "utensil", + "utilisation", + "utility", + "utilization", + "vacation", + "vaccine", + "vacuum", + "vagrant", + "valance", + "valentine", + "validate", + "validity", + "valley", + "valuable", + "value", + "vampire", + "van", + "vanadyl", + "vane", + "vanilla", + "vanity", + "variability", + "variable", + "variant", + "variation", + "variety", + "vascular", + "vase", + "vault", + "vaulting", + "veal", + "vector", + "vegetable", + "vegetarian", + "vegetarianism", + "vegetation", + "vehicle", + "veil", + "vein", + "veldt", + "vellum", + "velocity", + "velodrome", + "velvet", + "vendor", + "veneer", + "vengeance", + "venison", + "venom", + "venti", + "venture", + "venue", + "veranda", + "verb", + "verdict", + "verification", + "vermicelli", + "vernacular", + "verse", + "version", + "vertigo", + "verve", + "vessel", + "vest", + "vestment", + "vet", + "veteran", + "veterinarian", + "veto", + "viability", + "vibraphone", + "vibration", + "vibrissae", + "vice", + "vicinity", + "victim", + "victory", + "video", + "view", + "viewer", + "vignette", + "villa", + "village", + "vine", + "vinegar", + "vineyard", + "vintage", + "vintner", + "vinyl", + "viola", + "violation", + "violence", + "violet", + "violin", + "virtue", + "virus", + "visa", + "viscose", + "vise", + "vision", + "visit", + "visitor", + "visor", + "vista", + "visual", + "vitality", + "vitamin", + "vitro", + "vivo", + "vogue", + "voice", + "void", + "vol", + "volatility", + "volcano", + "volleyball", + "volume", + "volunteer", + "volunteering", + "vote", + "voter", + "voting", + "voyage", + "vulture", + "wafer", + "waffle", + "wage", + "wagon", + "waist", + "waistband", + "wait", + "waiter", + "waiting", + "waitress", + "waiver", + "wake", + "walk", + "walker", + "walking", + "walkway", + "wall", + "wallaby", + "wallet", + "walnut", + "walrus", + "wampum", + "wannabe", + "want", + "war", + "warden", + "wardrobe", + "warfare", + "warlock", + "warlord", + "warmup", + "warming", + "warmth", + "warning", + "warrant", + "warren", + "warrior", + "wasabi", + "wash", + "washbasin", + "washcloth", + "washer", + "washtub", + "wasp", + "waste", + "wastebasket", + "wasting", + "watch", + "watcher", + "watchmaker", + "water", + "waterbed", + "watercress", + "waterfall", + "waterfront", + "watermelon", + "waterskiing", + "waterspout", + "waterwheel", + "wave", + "waveform", + "wax", + "way", + "weakness", + "wealth", + "weapon", + "wear", + "weasel", + "weather", + "web", + "webinar", + "webmail", + "webpage", + "website", + "wedding", + "wedge", + "weeder", + "weedkiller", + "week", + "weekend", + "weekender", + "weight", + "weird", + "welcome", + "welfare", + "well", + "wellbeing", + "west", + "western", + "wetbar", + "wetland", + "wetsuit", + "whack", + "whale", + "wharf", + "wheat", + "wheel", + "whelp", + "whey", + "whip", + "whirlpool", + "whirlwind", + "whisker", + "whisper", + "whistle", + "whole", + "wholesale", + "wholesaler", + "whorl", + "wick", + "widget", + "widow", + "width", + "wife", + "wifi", + "wild", + "wildebeest", + "wilderness", + "wildlife", + "will", + "willingness", + "willow", + "win", + "wind", + "windchime", + "windage", + "window", + "windscreen", + "windshield", + "winery", + "wing", + "wingman", + "wingtip", + "wink", + "winner", + "winter", + "wire", + "wiretap", + "wiring", + "wisdom", + "wiseguy", + "wish", + "wisteria", + "wit", + "witch", + "witchhunt", + "withdrawal", + "witness", + "wok", + "wolf", + "woman", + "wombat", + "wonder", + "wont", + "wood", + "woodchuck", + "woodland", + "woodshed", + "woodwind", + "wool", + "woolens", + "word", + "wording", + "work", + "workbench", + "worker", + "workforce", + "workhorse", + "working", + "workout", + "workplace", + "workshop", + "world", + "worm", + "worry", + "worship", + "worshiper", + "worth", + "wound", + "wrap", + "wraparound", + "wrapper", + "wrapping", + "wreck", + "wrecker", + "wren", + "wrench", + "wrestler", + "wriggler", + "wrinkle", + "wrist", + "writer", + "writing", + "wrong", + "xylophone", + "yacht", + "yahoo", + "yak", + "yam", + "yang", + "yard", + "yarmulke", + "yarn", + "yawl", + "year", + "yeast", + "yellowjacket", + "yesterday", + "yew", + "yin", + "yoga", + "yogurt", + "yoke", + "yolk", + "young", + "youngster", + "yourself", + "youth", + "yoyo", + "yurt", + "zampone", + "zebra", + "zebrafish", + "zen", + "zephyr", + "zero", + "ziggurat", + "zinc", + "zipper", + "zither", + "zombie", + "zone", + "zoo", + "zoologist", + "zoology", + "zootsuit", + "zucchini", +}); + +const auto enUSPrepositions = std::to_array({ + "a", + "abaft", + "aboard", + "about", + "above", + "absent", + "across", + "afore", + "after", + "against", + "along", + "alongside", + "amid", + "amidst", + "among", + "amongst", + "an", + "anenst", + "anti", + "apropos", + "apud", + "around", + "as", + "aside", + "astride", + "at", + "athwart", + "atop", + "barring", + "before", + "behind", + "below", + "beneath", + "beside", + "besides", + "between", + "beyond", + "but", + "by", + "circa", + "concerning", + "considering", + "despite", + "down", + "during", + "except", + "excepting", + "excluding", + "failing", + "following", + "for", + "forenenst", + "from", + "given", + "in", + "including", + "inside", + "into", + "lest", + "like", + "mid", + "midst", + "minus", + "modulo", + "near", + "next", + "notwithstanding", + "of", + "off", + "on", + "onto", + "opposite", + "out", + "outside", + "over", + "pace", + "past", + "per", + "plus", + "pro", + "qua", + "regarding", + "round", + "sans", + "save", + "since", + "than", + "the", + "through", + "throughout", + "till", + "times", + "to", + "toward", + "towards", + "under", + "underneath", + "unlike", + "until", + "unto", + "up", + "upon", + "versus", + "via", + "vice", + "with", + "within", + "without", + "worth", +}); + +const auto enUSVerbs = std::to_array({ + "abandon", + "abase", + "abate", + "abbreviate", + "abdicate", + "abduct", + "abet", + "abhor", + "abide", + "abjure", + "abnegate", + "abolish", + "abominate", + "abort", + "abound", + "abrade", + "abridge", + "abrogate", + "abscond", + "abseil", + "absent", + "absolve", + "absorb", + "abstain", + "abstract", + "abut", + "accede", + "accelerate", + "accent", + "accentuate", + "accept", + "access", + "accessorise", + "accessorize", + "acclaim", + "acclimate", + "acclimatise", + "acclimatize", + "accommodate", + "accompany", + "accomplish", + "accord", + "accost", + "account", + "accouter", + "accoutre", + "accredit", + "accrue", + "acculturate", + "accumulate", + "accuse", + "accustom", + "ace", + "ache", + "achieve", + "acidify", + "acknowledge", + "acquaint", + "acquiesce", + "acquire", + "acquit", + "act", + "action", + "activate", + "actualise", + "actualize", + "actuate", + "adapt", + "add", + "addle", + "address", + "adduce", + "adhere", + "adjoin", + "adjourn", + "adjudge", + "adjudicate", + "adjure", + "adjust", + "administer", + "admire", + "admit", + "admonish", + "adopt", + "adore", + "adorn", + "adsorb", + "adulterate", + "adumbrate", + "advance", + "advantage", + "advertise", + "advise", + "advocate", + "aerate", + "affect", + "affiliate", + "affirm", + "affix", + "afflict", + "afford", + "afforest", + "affront", + "age", + "agglomerate", + "aggravate", + "aggregate", + "agitate", + "agonise", + "agonize", + "agree", + "aid", + "ail", + "aim", + "air", + "airbrush", + "airdrop", + "airfreight", + "airlift", + "alarm", + "alert", + "alienate", + "alight", + "align", + "allay", + "allege", + "alleviate", + "allocate", + "allot", + "allow", + "alloy", + "allude", + "ally", + "alphabetise", + "alphabetize", + "alter", + "alternate", + "amalgamate", + "amass", + "amaze", + "amble", + "ambush", + "ameliorate", + "amend", + "amortise", + "amortize", + "amount", + "amplify", + "amputate", + "amuse", + "anaesthetise", + "anaesthetize", + "analyse", + "anchor", + "anesthetize", + "anger", + "angle", + "anglicise", + "anglicize", + "animate", + "anneal", + "annex", + "annihilate", + "annotate", + "announce", + "annoy", + "annul", + "anodise", + "anodize", + "anoint", + "anonymise", + "anonymize", + "answer", + "antagonise", + "antagonize", + "antedate", + "anthologise", + "anthologize", + "anticipate", + "ape", + "apologise", + "apologize", + "apostrophise", + "apostrophize", + "appal", + "appall", + "appeal", + "appear", + "appease", + "append", + "appertain", + "applaud", + "apply", + "appoint", + "apportion", + "appraise", + "appreciate", + "apprehend", + "apprentice", + "apprise", + "approach", + "appropriate", + "approve", + "approximate", + "aquaplane", + "arbitrate", + "arc", + "arch", + "archive", + "argue", + "arise", + "arm", + "arraign", + "arrange", + "array", + "arrest", + "arrive", + "arrogate", + "art", + "articulate", + "ascend", + "ascertain", + "ascribe", + "ask", + "asphyxiate", + "aspirate", + "aspire", + "assail", + "assassinate", + "assault", + "assay", + "assemble", + "assent", + "assert", + "assess", + "assign", + "assimilate", + "assist", + "associate", + "assuage", + "assume", + "assure", + "asterisk", + "astonish", + "astound", + "atomise", + "atomize", + "atone", + "atrophy", + "attach", + "attack", + "attain", + "attempt", + "attend", + "attenuate", + "attest", + "attract", + "attribute", + "auction", + "audit", + "audition", + "augment", + "augur", + "authenticate", + "author", + "authorise", + "authorize", + "autograph", + "automate", + "autosave", + "autowind", + "avail", + "avenge", + "aver", + "average", + "avert", + "avoid", + "avow", + "await", + "awake", + "awaken", + "award", + "awe", + "ax", + "axe", + "baa", + "babble", + "baby", + "babysit", + "back", + "backcomb", + "backdate", + "backfill", + "backfire", + "backlight", + "backpack", + "backspace", + "backtrack", + "badger", + "baffle", + "bag", + "bail", + "bait", + "bake", + "balance", + "bale", + "ball", + "balloon", + "ballot", + "balls", + "bamboozle", + "ban", + "band", + "bandage", + "bandy", + "banish", + "bank", + "bankroll", + "bankrupt", + "banter", + "baptise", + "baptize", + "bar", + "barbecue", + "bare", + "bargain", + "barge", + "bark", + "barnstorm", + "barrack", + "barrel", + "barricade", + "barter", + "base", + "bash", + "bask", + "baste", + "bat", + "batch", + "bath", + "bathe", + "batten", + "batter", + "battle", + "baulk", + "bawl", + "bay", + "bayonet", + "be", + "beach", + "beam", + "bean", + "bear", + "beard", + "beat", + "beatbox", + "beatboxer", + "beatify", + "beautify", + "beckon", + "become", + "bedazzle", + "bedeck", + "bedevil", + "beef", + "beep", + "beetle", + "befall", + "befit", + "befog", + "befriend", + "beg", + "beget", + "beggar", + "begin", + "begrudge", + "beguile", + "behave", + "behold", + "behoove", + "behove", + "belabor", + "belabour", + "belay", + "belch", + "belie", + "believe", + "belittle", + "bellow", + "belly", + "bellyache", + "belong", + "belt", + "bemoan", + "bemuse", + "benchmark", + "bend", + "benefit", + "bequeath", + "berate", + "bereave", + "berth", + "beseech", + "beset", + "besiege", + "besmirch", + "bespatter", + "bespeak", + "best", + "bestir", + "bestow", + "bestride", + "bet", + "betake", + "betide", + "betoken", + "betray", + "better", + "bewail", + "beware", + "bewilder", + "bewitch", + "bias", + "bicker", + "bicycle", + "bid", + "bide", + "biff", + "bifurcate", + "big", + "bike", + "bilk", + "bill", + "billet", + "billow", + "bin", + "bind", + "binge", + "biodegrade", + "bird", + "bisect", + "bite", + "bitmap", + "bivouac", + "bivvy", + "blab", + "blabber", + "blacken", + "blackmail", + "blag", + "blame", + "blanch", + "blank", + "blanket", + "blare", + "blaspheme", + "blast", + "blather", + "blaze", + "blazon", + "bleach", + "bleat", + "bleed", + "bleep", + "blemish", + "blench", + "blend", + "bless", + "blight", + "blind", + "blindfold", + "blindfolded", + "blindside", + "blink", + "bliss", + "blister", + "blitz", + "bloat", + "block", + "blockade", + "blog", + "blood", + "bloom", + "bloop", + "blossom", + "blot", + "blow", + "blub", + "blubber", + "bludge", + "bludgeon", + "bluff", + "blunder", + "blunt", + "blur", + "blurt", + "blush", + "bluster", + "board", + "boast", + "bob", + "bobble", + "bode", + "bodge", + "bog", + "boggle", + "boil", + "bolster", + "bolt", + "bomb", + "bombard", + "bond", + "bonk", + "boo", + "boogie", + "book", + "bookmark", + "boom", + "boomerang", + "boost", + "boot", + "bootleg", + "bop", + "border", + "bore", + "born", + "borrow", + "boss", + "botch", + "bother", + "bottle", + "bottleful", + "bottom", + "bounce", + "bound", + "bow", + "bowdlerise", + "bowdlerize", + "bowl", + "bowlful", + "box", + "boycott", + "braai", + "brace", + "braces", + "bracket", + "brag", + "braid", + "brain", + "brainstorm", + "brainwash", + "braise", + "brake", + "branch", + "brand", + "brandish", + "brave", + "brawl", + "bray", + "brazen", + "breach", + "break", + "breakfast", + "breathalyse", + "breathalyze", + "breathe", + "breed", + "breeze", + "brew", + "bribe", + "brick", + "bridge", + "bridle", + "brief", + "brighten", + "brim", + "bring", + "bristle", + "broach", + "broadcast", + "broaden", + "broadside", + "broil", + "broker", + "brood", + "brook", + "browbeat", + "browse", + "bruise", + "bruit", + "brush", + "brutalise", + "brutalize", + "bubble", + "buck", + "bucket", + "bucketful", + "buckle", + "bud", + "buddy", + "budge", + "budget", + "buff", + "buffer", + "buffet", + "bug", + "build", + "bulge", + "bulk", + "bulldoze", + "bully", + "bum", + "bumble", + "bump", + "bunch", + "bundle", + "bungle", + "bunk", + "bunker", + "bunt", + "buoy", + "burble", + "burden", + "burgeon", + "burglarize", + "burgle", + "burn", + "burnish", + "burp", + "burrow", + "burst", + "bury", + "bus", + "bushwhack", + "busk", + "bust", + "bustle", + "busy", + "butcher", + "butt", + "butter", + "button", + "buttonhole", + "buttress", + "buy", + "buzz", + "buzzing", + "bypass", + "cable", + "cache", + "cackle", + "caddie", + "cadge", + "cage", + "cajole", + "cake", + "calcify", + "calculate", + "calibrate", + "call", + "calm", + "calve", + "camouflage", + "camp", + "campaign", + "can", + "canalise", + "canalize", + "cancel", + "cane", + "cannibalise", + "cannibalize", + "cannon", + "cannulate", + "canoe", + "canonise", + "canonize", + "canst", + "cant", + "canter", + "canvass", + "cap", + "caper", + "capitalise", + "capitalize", + "capitulate", + "capsize", + "captain", + "caption", + "captivate", + "capture", + "caramelise", + "caramelize", + "carbonise", + "carbonize", + "carburise", + "carburize", + "card", + "care", + "careen", + "career", + "caress", + "caricature", + "carjack", + "carol", + "carom", + "carouse", + "carp", + "carpet", + "carpool", + "carry", + "cart", + "cartwheel", + "carve", + "cascade", + "case", + "cash", + "cashier", + "casserole", + "cast", + "castigate", + "catalog", + "catalogue", + "catalyse", + "catalyze", + "catapult", + "catch", + "categorise", + "categorize", + "cater", + "caterwaul", + "catnap", + "caucus", + "caulk", + "cause", + "cauterise", + "cauterize", + "caution", + "cave", + "cavil", + "cavort", + "caw", + "cc", + "cease", + "cede", + "celebrate", + "cement", + "censor", + "censure", + "centralise", + "centralize", + "centre", + "certificate", + "certify", + "chafe", + "chaff", + "chain", + "chair", + "chalk", + "challenge", + "champ", + "champion", + "chance", + "change", + "channel", + "chant", + "chaperon", + "chaperone", + "char", + "characterise", + "characterize", + "charbroil", + "charge", + "chargesheet", + "chargrill", + "charm", + "chart", + "charter", + "chase", + "chasten", + "chastise", + "chat", + "chatter", + "chauffeur", + "cheapen", + "cheat", + "cheater", + "check", + "checkmate", + "cheek", + "cheep", + "cheer", + "cherish", + "chew", + "chicken", + "chide", + "chill", + "chillax", + "chime", + "chip", + "chirp", + "chisel", + "chivvy", + "chlorinate", + "choke", + "chomp", + "choose", + "chop", + "choreograph", + "chortle", + "chorus", + "christen", + "chromakey", + "chronicle", + "chuck", + "chuckle", + "chunder", + "chunter", + "churn", + "cinch", + "circle", + "circulate", + "circumnavigate", + "circumscribe", + "circumvent", + "cite", + "civilise", + "civilize", + "clack", + "claim", + "clam", + "clamber", + "clamor", + "clamour", + "clamp", + "clang", + "clank", + "clap", + "clarify", + "clash", + "clasp", + "class", + "classify", + "clatter", + "claw", + "clean", + "cleanse", + "clear", + "cleave", + "clench", + "clerk", + "click", + "climb", + "clinch", + "cling", + "clink", + "clinking", + "clip", + "cloak", + "clobber", + "clock", + "clog", + "clone", + "clonk", + "close", + "closet", + "clot", + "clothe", + "cloud", + "clout", + "clown", + "club", + "cluck", + "clue", + "clump", + "clunk", + "cluster", + "clutch", + "clutter", + "coach", + "coagulate", + "coalesce", + "coarsen", + "coast", + "coat", + "coax", + "cobble", + "cocoon", + "coddle", + "code", + "codify", + "coerce", + "coexist", + "cogitate", + "cohabit", + "cohere", + "coil", + "coin", + "coincide", + "collaborate", + "collapse", + "collar", + "collate", + "collect", + "collectivise", + "collectivize", + "collide", + "colligate", + "collocate", + "collude", + "colonise", + "colonize", + "colorize", + "colour", + "comb", + "combat", + "combine", + "combust", + "come", + "comfort", + "command", + "commandeer", + "commemorate", + "commence", + "commend", + "comment", + "commentate", + "commercialise", + "commercialize", + "commingle", + "commiserate", + "commission", + "commit", + "commune", + "communicate", + "commute", + "compact", + "compare", + "compartmentalise", + "compartmentalize", + "compel", + "compensate", + "compete", + "compile", + "complain", + "complement", + "complete", + "complicate", + "compliment", + "comply", + "comport", + "compose", + "compost", + "compound", + "comprehend", + "compress", + "comprise", + "compromise", + "compute", + "computerise", + "computerize", + "con", + "conceal", + "concede", + "conceive", + "concentrate", + "conceptualise", + "conceptualize", + "concern", + "concertina", + "conciliate", + "conclude", + "concoct", + "concrete", + "concur", + "concuss", + "condemn", + "condense", + "condescend", + "condition", + "condone", + "conduct", + "cone", + "confer", + "confess", + "confide", + "configure", + "confine", + "confirm", + "confiscate", + "conflate", + "conflict", + "conform", + "confound", + "confront", + "confuse", + "confute", + "congeal", + "congratulate", + "congregate", + "conjecture", + "conjoin", + "conjugate", + "conjure", + "conk", + "connect", + "connive", + "connote", + "conquer", + "conscientise", + "conscientize", + "conscript", + "consecrate", + "consent", + "conserve", + "consider", + "consign", + "consist", + "console", + "consolidate", + "consort", + "conspire", + "constitute", + "constrain", + "constrict", + "construct", + "construe", + "consult", + "consume", + "consummate", + "contact", + "contain", + "contaminate", + "contemplate", + "contend", + "content", + "contest", + "contextualise", + "contextualize", + "continue", + "contort", + "contract", + "contradict", + "contraindicate", + "contrast", + "contravene", + "contribute", + "contrive", + "control", + "controvert", + "convalesce", + "convene", + "converge", + "converse", + "convert", + "convey", + "convict", + "convince", + "convoke", + "convulse", + "coo", + "cook", + "cool", + "coop", + "cooperate", + "coordinate", + "cop", + "cope", + "coppice", + "copy", + "copyright", + "cordon", + "core", + "cork", + "corkscrew", + "corner", + "corral", + "correct", + "correlate", + "correspond", + "corrode", + "corrupt", + "coruscate", + "cosh", + "cosset", + "cost", + "cosy", + "cotton", + "couch", + "cough", + "counsel", + "count", + "countenance", + "counter", + "counteract", + "counterbalance", + "counterfeit", + "countermand", + "counterpoint", + "countersign", + "couple", + "courier", + "course", + "court", + "covenant", + "cover", + "covet", + "cow", + "cower", + "cozy", + "crackle", + "cradle", + "craft", + "cram", + "cramp", + "crane", + "crank", + "crate", + "crave", + "crawl", + "crayon", + "creak", + "creaking", + "cream", + "crease", + "create", + "credential", + "credit", + "creep", + "cremate", + "creolise", + "creolize", + "creosote", + "crest", + "crew", + "crib", + "crick", + "criminalise", + "criminalize", + "crimp", + "cringe", + "crinkle", + "cripple", + "crisp", + "criticise", + "criticize", + "critique", + "croak", + "crochet", + "crook", + "croon", + "crop", + "cross", + "crouch", + "crow", + "crowd", + "crown", + "cruise", + "crumble", + "crumple", + "crunch", + "crusade", + "crush", + "cry", + "crystallise", + "crystallize", + "cube", + "cuddle", + "cudgel", + "cue", + "cuff", + "cull", + "culminate", + "cultivate", + "culture", + "cup", + "curate", + "curb", + "curdle", + "cure", + "curl", + "curry", + "curse", + "curtail", + "curtain", + "curtsy", + "curve", + "cushion", + "cuss", + "customise", + "customize", + "cut", + "cwtch", + "cycle", + "dab", + "dabble", + "dally", + "dam", + "damage", + "damp", + "dampen", + "dance", + "dandle", + "dangle", + "dare", + "darken", + "darn", + "dart", + "dash", + "date", + "daub", + "daunt", + "dawdle", + "dawn", + "daydream", + "dazzle", + "deactivate", + "deaden", + "deadhead", + "deafen", + "deal", + "debar", + "debase", + "debate", + "debilitate", + "debit", + "debrief", + "debug", + "debunk", + "debut", + "decamp", + "decant", + "decay", + "deceive", + "decelerate", + "decentralise", + "decentralize", + "decide", + "decimalise", + "decimalize", + "decimate", + "decipher", + "deck", + "declaim", + "declare", + "declassify", + "decline", + "declutter", + "decode", + "decommission", + "decompose", + "decompress", + "deconsecrate", + "deconstruct", + "decontaminate", + "decontrol", + "decorate", + "decouple", + "decoy", + "decrease", + "decree", + "decriminalise", + "decriminalize", + "decry", + "decrypt", + "dedicate", + "deduce", + "deduct", + "deejay", + "deem", + "deepen", + "deface", + "defame", + "default", + "defeat", + "defect", + "defend", + "defer", + "defile", + "define", + "deflate", + "deflect", + "defog", + "defoliate", + "deforest", + "deform", + "defrag", + "defragment", + "defraud", + "defray", + "defrock", + "defrost", + "defuse", + "defy", + "degenerate", + "deglaze", + "degrade", + "degrease", + "dehumanise", + "dehumanize", + "dehydrate", + "deify", + "deign", + "delay", + "delegate", + "delete", + "deliberate", + "delight", + "delimit", + "delineate", + "deliquesce", + "deliver", + "delouse", + "delude", + "deluge", + "delve", + "demand", + "demarcate", + "demean", + "demerge", + "demilitarise", + "demilitarize", + "demineralise", + "demineralize", + "demist", + "demo", + "demob", + "demobilise", + "demobilize", + "democratise", + "democratize", + "demolish", + "demonise", + "demonize", + "demonstrate", + "demoralise", + "demoralize", + "demote", + "demotivate", + "demur", + "demystify", + "denationalise", + "denationalize", + "denigrate", + "denitrify", + "denominate", + "denote", + "denounce", + "dent", + "denude", + "deny", + "depart", + "depend", + "depersonalise", + "depersonalize", + "depict", + "deplane", + "deplete", + "deplore", + "deploy", + "depopulate", + "deport", + "depose", + "deposit", + "deprave", + "deprecate", + "depreciate", + "depress", + "depressurise", + "depressurize", + "deprive", + "depute", + "deputise", + "deputize", + "deracinate", + "derail", + "dereference", + "deregulate", + "deride", + "derive", + "derogate", + "descale", + "descend", + "describe", + "descry", + "desecrate", + "desegregate", + "deselect", + "desensitise", + "desensitize", + "desert", + "deserve", + "design", + "designate", + "desire", + "desist", + "deskill", + "desolate", + "despair", + "despise", + "despoil", + "destabilise", + "destabilize", + "destock", + "destroy", + "detach", + "detail", + "detain", + "detect", + "deter", + "deteriorate", + "determine", + "detest", + "dethrone", + "detonate", + "detour", + "detoxify", + "detract", + "detrain", + "devalue", + "devastate", + "develop", + "deviate", + "devise", + "devoice", + "devolve", + "devote", + "devour", + "diagnose", + "dial", + "dice", + "dicker", + "dictate", + "die", + "diet", + "differ", + "differentiate", + "diffract", + "diffuse", + "dig", + "digest", + "digitalise", + "digitalize", + "digitise", + "digitize", + "dignify", + "digress", + "dilate", + "dilute", + "diluted", + "dim", + "diminish", + "dimple", + "dine", + "ding", + "dip", + "diphthongise", + "diphthongize", + "direct", + "dirty", + "dis", + "disable", + "disabuse", + "disadvantage", + "disaffiliate", + "disafforest", + "disagree", + "disallow", + "disambiguate", + "disappear", + "disappoint", + "disapprove", + "disarm", + "disarrange", + "disassemble", + "disassociate", + "disavow", + "disband", + "disbar", + "disbelieve", + "disburse", + "discard", + "discern", + "discharge", + "discipline", + "disclaim", + "disclose", + "discolor", + "discolour", + "discomfit", + "discomfort", + "discompose", + "disconcert", + "disconnect", + "discontinue", + "discount", + "discourage", + "discourse", + "discover", + "discredit", + "discriminate", + "discuss", + "disdain", + "disembark", + "disembowel", + "disenfranchise", + "disengage", + "disentangle", + "disestablish", + "disgorge", + "disgrace", + "disguise", + "disgust", + "dish", + "dishearten", + "dishonor", + "dishonour", + "disillusion", + "disincentivise", + "disincentivize", + "disinfect", + "disinherit", + "disinhibit", + "disintegrate", + "disinter", + "disinvest", + "dislike", + "dislocate", + "dislodge", + "dismantle", + "dismay", + "dismember", + "dismiss", + "dismount", + "disobey", + "disorient", + "disorientate", + "disown", + "disparage", + "dispatch", + "dispel", + "dispense", + "disperse", + "displace", + "display", + "displease", + "disport", + "dispose", + "dispossess", + "disprove", + "dispute", + "disqualify", + "disregard", + "disrespect", + "disrobe", + "disrupt", + "dissect", + "dissemble", + "disseminate", + "dissent", + "dissimulate", + "dissipate", + "dissociate", + "dissolve", + "dissuade", + "distance", + "distend", + "distil", + "distill", + "distinguish", + "distort", + "distract", + "distress", + "distribute", + "distrust", + "disturb", + "disunite", + "ditch", + "dither", + "dive", + "diverge", + "diversify", + "divert", + "divest", + "divide", + "divine", + "divorce", + "divulge", + "divvy", + "do", + "dob", + "dock", + "doctor", + "document", + "dodge", + "doff", + "dog", + "dole", + "doll", + "dollarise", + "dollarize", + "domesticate", + "dominate", + "don", + "donate", + "doodle", + "doom", + "doorstep", + "dop", + "dope", + "dose", + "doss", + "dot", + "dote", + "double", + "doubt", + "douse", + "dovetail", + "down", + "downchange", + "downgrade", + "downlink", + "download", + "downplay", + "downshift", + "downsize", + "dowse", + "doze", + "draft", + "drag", + "dragoon", + "drain", + "dramatise", + "dramatize", + "drape", + "draught", + "draw", + "drawl", + "dread", + "dream", + "dredge", + "drench", + "dress", + "dribble", + "drift", + "drill", + "drink", + "drip", + "drive", + "drivel", + "drizzle", + "drone", + "drool", + "droop", + "drop", + "drown", + "drowse", + "drug", + "drum", + "dry", + "dub", + "duck", + "duckie", + "ducks", + "duel", + "duff", + "dull", + "dumb", + "dumbfound", + "dump", + "dunk", + "dunt", + "dupe", + "duplicate", + "dust", + "dwarf", + "dwell", + "dwindle", + "dye", + "dynamite", + "earmark", + "earn", + "earth", + "ease", + "eat", + "eavesdrop", + "ebb", + "echo", + "eclipse", + "economise", + "economize", + "eddy", + "edge", + "edify", + "edit", + "editorialise", + "editorialize", + "educate", + "efface", + "effect", + "effectuate", + "egg", + "eject", + "eke", + "elaborate", + "elapse", + "elbow", + "elect", + "electrify", + "electrocute", + "electroplate", + "elevate", + "elicit", + "elide", + "eliminate", + "elongate", + "elope", + "elucidate", + "elude", + "email", + "emanate", + "emancipate", + "embalm", + "embargo", + "embark", + "embarrass", + "embed", + "embellish", + "embezzle", + "embitter", + "emblazon", + "embody", + "embolden", + "emboss", + "embrace", + "embroider", + "embroil", + "emcee", + "emend", + "emerge", + "emigrate", + "emit", + "emote", + "empathise", + "empathize", + "emphasise", + "emphasize", + "employ", + "empower", + "empty", + "emulate", + "emulsify", + "enable", + "enact", + "encamp", + "encapsulate", + "encase", + "encash", + "enchant", + "encircle", + "enclose", + "encode", + "encompass", + "encounter", + "encourage", + "encroach", + "encrypt", + "encumber", + "end", + "endanger", + "endear", + "endeavor", + "endeavour", + "endorse", + "endow", + "endure", + "energise", + "energize", + "enervate", + "enfeeble", + "enfold", + "enforce", + "enfranchise", + "engage", + "engender", + "engineer", + "engorge", + "engrave", + "engross", + "engulf", + "enhance", + "enjoin", + "enjoy", + "enlarge", + "enlighten", + "enlist", + "enliven", + "enmesh", + "ennoble", + "enquire", + "enrage", + "enrapture", + "enrich", + "enrol", + "enroll", + "ensconce", + "enshrine", + "enshroud", + "ensnare", + "ensue", + "ensure", + "entail", + "entangle", + "enter", + "entertain", + "enthral", + "enthrall", + "enthrone", + "enthuse", + "entice", + "entitle", + "entomb", + "entrance", + "entrap", + "entreat", + "entrench", + "entrust", + "entwine", + "enumerate", + "enunciate", + "envelop", + "envisage", + "envision", + "envy", + "epitomise", + "epitomize", + "equal", + "equalise", + "equalize", + "equate", + "equip", + "equivocate", + "eradicate", + "erase", + "erode", + "err", + "erupt", + "escalate", + "escape", + "eschew", + "espouse", + "espy", + "essay", + "establish", + "esteem", + "estimate", + "etch", + "eulogise", + "eulogize", + "euthanise", + "euthanize", + "evacuate", + "evade", + "evaluate", + "evangelise", + "evangelize", + "evaporate", + "even", + "eventuate", + "evict", + "evidence", + "evince", + "eviscerate", + "evoke", + "evolve", + "exacerbate", + "exact", + "exaggerate", + "exalt", + "examine", + "exasperate", + "excavate", + "exceed", + "excel", + "except", + "excerpt", + "exchange", + "excise", + "excite", + "exclaim", + "exclude", + "excommunicate", + "excoriate", + "excrete", + "exculpate", + "excuse", + "execute", + "exemplify", + "exempt", + "exercise", + "exert", + "exeunt", + "exfoliate", + "exhale", + "exhaust", + "exhibit", + "exhilarate", + "exhort", + "exhume", + "exile", + "exist", + "exit", + "exonerate", + "exorcise", + "exorcize", + "expand", + "expatiate", + "expect", + "expectorate", + "expedite", + "expel", + "expend", + "experience", + "experiment", + "expiate", + "expire", + "explain", + "explicate", + "explode", + "exploit", + "explore", + "export", + "expose", + "expostulate", + "expound", + "express", + "expropriate", + "expunge", + "expurgate", + "extemporise", + "extemporize", + "extend", + "exterminate", + "externalise", + "externalize", + "extinguish", + "extirpate", + "extol", + "extort", + "extract", + "extradite", + "extrapolate", + "extricate", + "extrude", + "exude", + "exult", + "eye", + "eyeball", + "eyeglasses", + "fabricate", + "face", + "facilitate", + "factor", + "factorise", + "factorize", + "fade", + "faff", + "fail", + "faint", + "fake", + "fall", + "falsify", + "falter", + "familiarise", + "familiarize", + "fan", + "fancy", + "fantasise", + "fantasize", + "fare", + "farewell", + "farm", + "farrow", + "fascinate", + "fashion", + "fast", + "fasten", + "father", + "fathom", + "fatten", + "fault", + "favor", + "favour", + "fawn", + "fax", + "faze", + "fear", + "feast", + "feather", + "feature", + "federate", + "feed", + "feel", + "feign", + "feint", + "fell", + "feminise", + "feminize", + "fence", + "fend", + "ferment", + "ferret", + "ferry", + "fertilise", + "fertilize", + "fess", + "fester", + "festoon", + "fetch", + "fete", + "fetter", + "feud", + "fib", + "fictionalise", + "fictionalize", + "fiddle", + "fidget", + "field", + "fight", + "figure", + "filch", + "file", + "filibuster", + "fill", + "fillet", + "film", + "filter", + "finagle", + "finalise", + "finalize", + "finance", + "find", + "fine", + "finesse", + "fingerprint", + "finish", + "fire", + "firebomb", + "firm", + "fish", + "fishtail", + "fit", + "fix", + "fizz", + "fizzle", + "flag", + "flagellate", + "flail", + "flake", + "flame", + "flank", + "flap", + "flare", + "flash", + "flat", + "flatline", + "flatten", + "flatter", + "flaunt", + "flavour", + "flay", + "fleck", + "flee", + "fleece", + "flesh", + "flex", + "flick", + "flicker", + "flight", + "flinch", + "fling", + "flip", + "flirt", + "flit", + "float", + "flock", + "flog", + "flood", + "floodlight", + "floor", + "flop", + "floss", + "flounce", + "flounder", + "flour", + "flourish", + "flout", + "flow", + "flower", + "flub", + "fluctuate", + "fluff", + "flummox", + "flunk", + "flush", + "fluster", + "flutter", + "fly", + "foal", + "foam", + "fob", + "focalise", + "focalize", + "focus", + "fog", + "foil", + "foist", + "fold", + "follow", + "foment", + "fool", + "foot", + "forage", + "forbear", + "forbid", + "force", + "ford", + "forearm", + "forecast", + "foreclose", + "foregather", + "foreground", + "foresee", + "foreshadow", + "foreshorten", + "forestall", + "foretell", + "forewarn", + "forfeit", + "forfend", + "forgather", + "forge", + "forget", + "forgive", + "forgo", + "fork", + "form", + "formalise", + "formalize", + "format", + "formulate", + "forsake", + "forswear", + "fortify", + "forward", + "forwards", + "fossick", + "fossilise", + "fossilize", + "foster", + "foul", + "found", + "founder", + "fox", + "fracture", + "fragment", + "frame", + "franchise", + "frank", + "fraternise", + "fraternize", + "fray", + "freak", + "free", + "freelance", + "freeload", + "freestyle", + "freewheel", + "freeze", + "freight", + "frequent", + "freshen", + "fret", + "frighten", + "fringe", + "frisk", + "fritter", + "frizz", + "frizzle", + "frogmarch", + "frolic", + "front", + "frost", + "froth", + "frown", + "fruit", + "frustrate", + "fry", + "fudge", + "fuel", + "fulfil", + "fulfill", + "fulminate", + "fumble", + "fume", + "fumigate", + "function", + "fund", + "funk", + "funnel", + "furl", + "furlough", + "furnish", + "furrow", + "further", + "fuse", + "fuss", + "gab", + "gabble", + "gad", + "gag", + "gain", + "gainsay", + "gall", + "gallivant", + "gallop", + "galumph", + "galvanise", + "galvanize", + "gamble", + "gambol", + "gang", + "gape", + "garage", + "garden", + "gargle", + "garland", + "garner", + "garnish", + "garrison", + "garrote", + "garrotte", + "gas", + "gash", + "gasp", + "gatecrash", + "gather", + "gauge", + "gawk", + "gawp", + "gaze", + "gazump", + "gazunder", + "gear", + "gee", + "gel", + "geld", + "gen", + "generalise", + "generalize", + "generate", + "gentrify", + "genuflect", + "germinate", + "gerrymander", + "gestate", + "gesticulate", + "gesture", + "get", + "ghost", + "ghostwrite", + "gibber", + "gift", + "giggle", + "gild", + "ginger", + "gird", + "girdle", + "give", + "gladden", + "glamorise", + "glamorize", + "glance", + "glare", + "glass", + "glaze", + "gleam", + "glean", + "glide", + "glimmer", + "glimmering", + "glimpse", + "glint", + "glisten", + "glister", + "glitter", + "gloat", + "globalise", + "globalize", + "glom", + "glorify", + "glory", + "gloss", + "glow", + "glower", + "glue", + "glug", + "glut", + "gnash", + "gnaw", + "go", + "goad", + "gobble", + "goggle", + "goldbrick", + "goof", + "google", + "goose", + "gore", + "gorge", + "gossip", + "gouge", + "govern", + "grab", + "grace", + "grade", + "graduate", + "graft", + "grant", + "grapple", + "grasp", + "grass", + "grate", + "gratify", + "gravitate", + "graze", + "grease", + "green", + "greet", + "grey", + "grieve", + "grill", + "grimace", + "grin", + "grind", + "grip", + "gripe", + "grit", + "grizzle", + "groan", + "grok", + "groom", + "grouch", + "ground", + "group", + "grouse", + "grout", + "grovel", + "grow", + "growl", + "grub", + "grudge", + "grumble", + "grunt", + "guarantee", + "guard", + "guess", + "guest", + "guffaw", + "guide", + "guillotine", + "guilt", + "gulp", + "gum", + "gun", + "gurgle", + "gurn", + "gush", + "gussy", + "gust", + "gut", + "gutter", + "guzzle", + "gybe", + "gyrate", + "hack", + "haemorrhage", + "haggle", + "hail", + "hallmark", + "halloo", + "hallucinate", + "halt", + "halve", + "ham", + "hammer", + "hamper", + "hamstring", + "hand", + "handcuff", + "handicap", + "handle", + "hang", + "hanker", + "happen", + "harangue", + "harass", + "harbor", + "harbour", + "harden", + "hare", + "hark", + "harm", + "harmonise", + "harmonize", + "harness", + "harp", + "harpoon", + "harrow", + "harrumph", + "harry", + "harvest", + "hash", + "hassle", + "hasten", + "hatch", + "hate", + "haul", + "haunt", + "have", + "haw", + "hawk", + "hazard", + "haze", + "head", + "headbutt", + "headhunt", + "headline", + "heal", + "heap", + "hear", + "hearken", + "hearten", + "heat", + "heave", + "heckle", + "hector", + "hedge", + "heed", + "heel", + "heft", + "heighten", + "heist", + "help", + "hem", + "hemorrhage", + "herald", + "herd", + "hesitate", + "hew", + "hex", + "hibernate", + "hiccough", + "hiccup", + "hide", + "hie", + "highball", + "highlight", + "hightail", + "hijack", + "hike", + "hinder", + "hinge", + "hint", + "hire", + "hiss", + "hit", + "hitch", + "hitchhike", + "hive", + "hoard", + "hoax", + "hobble", + "hobnob", + "hock", + "hog", + "hoick", + "hoist", + "hold", + "hole", + "holiday", + "holler", + "hollow", + "holster", + "home", + "homeschool", + "homestead", + "hone", + "honeymoon", + "honk", + "honour", + "hoodwink", + "hoof", + "hook", + "hoon", + "hoot", + "hoover", + "hop", + "hope", + "horn", + "horrify", + "horse", + "horsewhip", + "hose", + "hosepipe", + "hospitalise", + "hospitalize", + "host", + "hot", + "hotfoot", + "hound", + "house", + "hover", + "howl", + "huddle", + "huff", + "hug", + "hull", + "hum", + "humanise", + "humanize", + "humble", + "humiliate", + "humour", + "hunch", + "hunger", + "hunker", + "hunt", + "hurdle", + "hurl", + "hurry", + "hurt", + "hurtle", + "husband", + "hush", + "husk", + "hustle", + "hybridise", + "hybridize", + "hydrate", + "hydroplane", + "hype", + "hyperventilate", + "hyphenate", + "hypnotise", + "hypnotize", + "hypothesise", + "hypothesize", + "ice", + "iconify", + "idealise", + "idealize", + "ideate", + "identify", + "idle", + "idolise", + "idolize", + "ignite", + "ignore", + "illuminate", + "illumine", + "illustrate", + "imagine", + "imagineer", + "imbibe", + "imbue", + "imitate", + "immerse", + "immigrate", + "immobilise", + "immobilize", + "immolate", + "immortalise", + "immortalize", + "immunise", + "immunize", + "immure", + "impact", + "impair", + "impale", + "impanel", + "impart", + "impeach", + "impede", + "impel", + "imperil", + "impersonate", + "impinge", + "implant", + "implement", + "implicate", + "implode", + "implore", + "imply", + "import", + "importune", + "impose", + "impound", + "impoverish", + "impress", + "imprint", + "imprison", + "improve", + "improvise", + "impugn", + "inactivate", + "inaugurate", + "incapacitate", + "incarcerate", + "incarnate", + "incense", + "incentivise", + "incentivize", + "inch", + "incinerate", + "incise", + "incite", + "incline", + "include", + "incommode", + "inconvenience", + "incorporate", + "increase", + "incriminate", + "incubate", + "inculcate", + "incur", + "indemnify", + "indent", + "index", + "indicate", + "indict", + "individualise", + "individualize", + "individuate", + "indoctrinate", + "induce", + "induct", + "indulge", + "industrialise", + "industrialize", + "infantilise", + "infantilize", + "infect", + "infer", + "infest", + "infill", + "infiltrate", + "inflame", + "inflate", + "inflect", + "inflict", + "influence", + "inform", + "infringe", + "infuriate", + "infuse", + "ingest", + "ingratiate", + "inhabit", + "inhale", + "inhere", + "inherit", + "inhibit", + "initial", + "initialise", + "initialize", + "initiate", + "inject", + "injure", + "ink", + "inlay", + "innovate", + "inoculate", + "input", + "inscribe", + "insert", + "inset", + "insinuate", + "insist", + "inspect", + "inspire", + "install", + "instance", + "instigate", + "instil", + "instill", + "institute", + "institutionalise", + "institutionalize", + "instruct", + "insulate", + "insult", + "insure", + "integrate", + "intend", + "intensify", + "inter", + "interact", + "intercede", + "intercept", + "interchange", + "interconnect", + "intercut", + "interest", + "interface", + "interfere", + "interject", + "interlace", + "interleave", + "interlink", + "interlock", + "intermarry", + "intermesh", + "intermingle", + "intermix", + "intern", + "internalise", + "internalize", + "internationalise", + "internationalize", + "interpenetrate", + "interpolate", + "interpose", + "interpret", + "interrelate", + "interrogate", + "interrupt", + "intersect", + "intersperse", + "intertwine", + "intervene", + "interview", + "interweave", + "interwork", + "intimate", + "intimidate", + "intone", + "intoxicate", + "intrigue", + "introduce", + "intrude", + "intubate", + "intuit", + "inundate", + "inure", + "invade", + "invalid", + "invalidate", + "inveigh", + "inveigle", + "invent", + "inventory", + "invert", + "invest", + "investigate", + "invigilate", + "invigorate", + "invite", + "invoice", + "invoke", + "involve", + "ionise", + "ionize", + "irk", + "iron", + "irradiate", + "irrigate", + "irritate", + "irrupt", + "isolate", + "issue", + "italicise", + "italicize", + "itch", + "itemise", + "itemize", + "iterate", + "jab", + "jabber", + "jack", + "jackknife", + "jail", + "jam", + "jangle", + "jar", + "jaw", + "jaywalk", + "jazz", + "jeer", + "jell", + "jeopardise", + "jeopardize", + "jest", + "jet", + "jettison", + "jib", + "jibe", + "jiggle", + "jilt", + "jingle", + "jink", + "jinx", + "jive", + "jockey", + "jog", + "joggle", + "join", + "joint", + "joke", + "jol", + "jolly", + "jolt", + "josh", + "jostle", + "jot", + "journey", + "joust", + "judder", + "judge", + "juggle", + "juice", + "jumble", + "jump", + "junk", + "justify", + "jut", + "juxtapose", + "keel", + "keelhaul", + "keen", + "keep", + "ken", + "key", + "keyboard", + "kibitz", + "kick", + "kid", + "kindle", + "kip", + "kiss", + "kit", + "kite", + "klap", + "kludge", + "knacker", + "knead", + "knee", + "kneecap", + "kneel", + "knife", + "knight", + "knit", + "knock", + "knot", + "know", + "knuckle", + "kowtow", + "kvetch", + "label", + "labour", + "lace", + "lacerate", + "lack", + "lacquer", + "ladder", + "ladle", + "lag", + "lam", + "lamb", + "lambast", + "lambaste", + "lament", + "lamp", + "lampoon", + "lance", + "land", + "lands", + "landscape", + "languish", + "lap", + "lapse", + "lard", + "large", + "lark", + "lash", + "lasso", + "last", + "latch", + "lather", + "laud", + "laugh", + "launch", + "launder", + "lavish", + "lay", + "layer", + "laze", + "leach", + "lead", + "leaf", + "leaflet", + "leak", + "lean", + "leap", + "leapfrog", + "learn", + "lease", + "leash", + "leave", + "leaven", + "lecture", + "leer", + "leg", + "legalise", + "legalize", + "legislate", + "legitimise", + "legitimize", + "lend", + "lengthen", + "lessen", + "let", + "letter", + "letterbox", + "level", + "lever", + "leverage", + "levitate", + "levy", + "liaise", + "libel", + "liberalise", + "liberalize", + "liberate", + "license", + "lick", + "lie", + "lift", + "ligate", + "light", + "lighten", + "like", + "liken", + "limber", + "lime", + "limit", + "limp", + "line", + "linger", + "link", + "lionise", + "lionize", + "liquefy", + "liquidate", + "liquidise", + "liquidize", + "lisp", + "list", + "listen", + "litigate", + "litter", + "live", + "liven", + "load", + "loads", + "loaf", + "loan", + "loathe", + "lob", + "lobby", + "lobotomise", + "lobotomize", + "localise", + "localize", + "locate", + "lock", + "lodge", + "loft", + "log", + "loiter", + "loll", + "lollop", + "long", + "look", + "looks", + "loom", + "loop", + "loose", + "loosen", + "loot", + "lop", + "lope", + "lord", + "lose", + "lounge", + "lour", + "louse", + "love", + "low", + "lowball", + "lower", + "lubricate", + "luck", + "lug", + "lull", + "lumber", + "lump", + "lunch", + "lunge", + "lurch", + "lure", + "lurk", + "luxuriate", + "macerate", + "machine", + "madden", + "magic", + "magnetise", + "magnetize", + "magnify", + "mail", + "maim", + "mainline", + "mainstream", + "maintain", + "major", + "make", + "malfunction", + "malign", + "malinger", + "maltreat", + "man", + "manacle", + "manage", + "mandate", + "mangle", + "manhandle", + "manicure", + "manifest", + "manipulate", + "manoeuvre", + "mantle", + "manufacture", + "manure", + "map", + "mar", + "march", + "marginalise", + "marginalize", + "marinate", + "mark", + "market", + "maroon", + "marry", + "marshal", + "martyr", + "marvel", + "masculinise", + "masculinize", + "mash", + "mask", + "masquerade", + "mass", + "massacre", + "massage", + "master", + "mastermind", + "masticate", + "match", + "materialise", + "materialize", + "matriculate", + "matter", + "mature", + "maul", + "maunder", + "max", + "maximise", + "maximize", + "mean", + "meander", + "measure", + "mechanise", + "mechanize", + "medal", + "meddle", + "mediate", + "medicate", + "meditate", + "meet", + "meld", + "mellow", + "melt", + "memorialise", + "memorialize", + "memorise", + "memorize", + "menace", + "mend", + "mention", + "meow", + "mercerise", + "mercerize", + "merchandise", + "merge", + "merit", + "mesh", + "mesmerise", + "mesmerize", + "mess", + "message", + "metabolise", + "metabolize", + "metamorphose", + "mete", + "meter", + "methinks", + "mew", + "mewl", + "miaow", + "microblog", + "microchip", + "micromanage", + "microwave", + "micturate", + "migrate", + "militarise", + "militarize", + "militate", + "milk", + "mill", + "mime", + "mimic", + "mince", + "mind", + "mine", + "mingle", + "miniaturise", + "miniaturize", + "minimise", + "minimize", + "minister", + "minor", + "mint", + "minute", + "mirror", + "misapply", + "misappropriate", + "misbehave", + "miscalculate", + "miscast", + "misconceive", + "misconstrue", + "miscount", + "misdiagnose", + "misdial", + "misdirect", + "misfile", + "misfire", + "misgovern", + "mishandle", + "mishear", + "mishit", + "misinform", + "misinterpret", + "misjudge", + "miskey", + "mislay", + "mislead", + "mismanage", + "mismatch", + "misname", + "misplace", + "misplay", + "mispronounce", + "misquote", + "misread", + "misreport", + "misrepresent", + "miss", + "mission", + "misspell", + "misspend", + "mist", + "mistake", + "mistime", + "mistreat", + "mistrust", + "misunderstand", + "misuse", + "mitigate", + "mitre", + "mix", + "moan", + "mob", + "mobilise", + "mobilize", + "mock", + "mod", + "model", + "moderate", + "modernise", + "modernize", + "modify", + "modulate", + "moisten", + "moisturise", + "moisturize", + "mold", + "molder", + "mollify", + "mollycoddle", + "molt", + "monitor", + "monopolise", + "monopolize", + "moo", + "mooch", + "moon", + "moonlight", + "moonwalk", + "moor", + "moot", + "mop", + "mope", + "moralise", + "moralize", + "morph", + "mortar", + "mortgage", + "mortify", + "mosey", + "mosh", + "mothball", + "mother", + "motion", + "motivate", + "motor", + "mould", + "moulder", + "moult", + "mount", + "mourn", + "mouse", + "mouth", + "move", + "movies", + "mow", + "muck", + "muddle", + "muddy", + "muffle", + "mug", + "mulch", + "mull", + "multicast", + "multiply", + "multitask", + "mumble", + "mumbling", + "mummify", + "munch", + "murmur", + "murmuring", + "murmurings", + "muscle", + "muse", + "mushroom", + "muss", + "muster", + "mutate", + "mute", + "mutilate", + "mutiny", + "mutter", + "muzzle", + "mystify", + "nab", + "nag", + "nail", + "name", + "namecheck", + "nap", + "narrate", + "narrow", + "narrowcast", + "nasalise", + "nasalize", + "nationalise", + "nationalize", + "natter", + "naturalise", + "naturalize", + "nauseate", + "navigate", + "near", + "nearer", + "nearest", + "neaten", + "necessitate", + "neck", + "necklace", + "need", + "needle", + "negate", + "negative", + "neglect", + "negotiate", + "neigh", + "nerve", + "nest", + "nestle", + "net", + "nettle", + "network", + "neuter", + "neutralise", + "neutralize", + "nibble", + "nick", + "nickname", + "nitrify", + "nix", + "nobble", + "nod", + "nominalize", + "nominate", + "norm", + "normalise", + "normalize", + "nose", + "nosedive", + "nosh", + "notarise", + "notarize", + "notch", + "note", + "notice", + "notify", + "nourish", + "nudge", + "nuke", + "nullify", + "numb", + "number", + "nurse", + "nurture", + "nut", + "nuzzle", + "obey", + "obfuscate", + "object", + "objectify", + "oblige", + "obliterate", + "obscure", + "observe", + "obsess", + "obstruct", + "obtain", + "obtrude", + "obviate", + "occasion", + "occlude", + "occupy", + "occur", + "off", + "offend", + "offer", + "officiate", + "offload", + "offset", + "offshore", + "ogle", + "oil", + "okay", + "omit", + "ooze", + "open", + "operate", + "opine", + "oppose", + "oppress", + "opt", + "optimise", + "optimize", + "option", + "orbit", + "orchestrate", + "ordain", + "order", + "organise", + "organize", + "orient", + "orientate", + "originate", + "ornament", + "orphan", + "oscillate", + "ossify", + "ostracise", + "ostracize", + "oust", + "out", + "outbid", + "outclass", + "outdistance", + "outdo", + "outface", + "outfit", + "outflank", + "outfox", + "outgrow", + "outgun", + "outlast", + "outlaw", + "outline", + "outlive", + "outmaneuver", + "outmanoeuvre", + "outnumber", + "outpace", + "outperform", + "outplay", + "outpoint", + "output", + "outrage", + "outrank", + "outrun", + "outsell", + "outshine", + "outsmart", + "outsource", + "outstay", + "outstrip", + "outvote", + "outweigh", + "outwit", + "overachieve", + "overact", + "overawe", + "overbalance", + "overbook", + "overburden", + "overcharge", + "overcome", + "overcompensate", + "overcook", + "overdevelop", + "overdo", + "overdose", + "overdraw", + "overdub", + "overeat", + "overemphasize", + "overestimate", + "overexpose", + "overextend", + "overfeed", + "overflow", + "overfly", + "overgeneralise", + "overgeneralize", + "overgraze", + "overhang", + "overhaul", + "overhear", + "overheat", + "overindulge", + "overlap", + "overlay", + "overlie", + "overload", + "overlook", + "overpay", + "overplay", + "overpower", + "overprint", + "overproduce", + "overrate", + "overreach", + "overreact", + "override", + "overrule", + "overrun", + "oversee", + "oversell", + "overshadow", + "overshoot", + "oversimplify", + "oversleep", + "overspend", + "overstate", + "overstay", + "overstep", + "overstock", + "overstretch", + "overtake", + "overtax", + "overthrow", + "overtrain", + "overturn", + "overuse", + "overvalue", + "overwhelm", + "overwinter", + "overwork", + "overwrite", + "owe", + "own", + "oxidise", + "oxidize", + "oxygenate", + "pace", + "pacify", + "pack", + "package", + "packetise", + "packetize", + "pad", + "paddle", + "padlock", + "page", + "paginate", + "pailful", + "pain", + "paint", + "pair", + "pal", + "palatalise", + "palatalize", + "pale", + "pall", + "palliate", + "palm", + "palpate", + "palpitate", + "pamper", + "pan", + "pander", + "panel", + "panhandle", + "panic", + "pant", + "paper", + "parachute", + "parade", + "parallel", + "paralyse", + "paralyze", + "paraphrase", + "parboil", + "parcel", + "parch", + "pardon", + "pare", + "park", + "parlay", + "parley", + "parody", + "parole", + "parrot", + "parry", + "parse", + "part", + "partake", + "participate", + "particularise", + "particularize", + "partition", + "partner", + "party", + "pass", + "passivise", + "passivize", + "paste", + "pasteurise", + "pasteurize", + "pasture", + "pat", + "patch", + "patent", + "patrol", + "patronise", + "patronize", + "patter", + "pattern", + "pause", + "pave", + "paw", + "pawn", + "pay", + "peak", + "peal", + "pedal", + "peddle", + "pedestrianise", + "pedestrianize", + "peek", + "peel", + "peep", + "peer", + "peg", + "pelt", + "pen", + "penalise", + "penalize", + "pencil", + "pension", + "people", + "pep", + "pepper", + "perambulate", + "perceive", + "perch", + "percolate", + "perfect", + "perforate", + "perform", + "perfume", + "perish", + "perjure", + "perk", + "perm", + "permeate", + "permit", + "perpetrate", + "perpetuate", + "perplex", + "persecute", + "persevere", + "persist", + "personalise", + "personalize", + "personify", + "perspire", + "persuade", + "pertain", + "perturb", + "peruse", + "pervade", + "pervert", + "pester", + "pet", + "peter", + "petition", + "petrify", + "phase", + "philosophise", + "philosophize", + "phone", + "photocopy", + "photograph", + "photoshop", + "photosynthesise", + "photosynthesize", + "phrase", + "pick", + "picket", + "pickle", + "picnic", + "picture", + "picturise", + "picturize", + "piddle", + "piece", + "pierce", + "pig", + "pigeonhole", + "piggyback", + "pike", + "pile", + "pilfer", + "pill", + "pillage", + "pillory", + "pillow", + "pilot", + "pin", + "pinch", + "pine", + "ping", + "pinion", + "pink", + "pinpoint", + "pioneer", + "pip", + "pipe", + "pique", + "pirate", + "pirouette", + "pit", + "pitch", + "pity", + "pivot", + "pixelate", + "pixellate", + "placate", + "place", + "plagiarise", + "plagiarize", + "plague", + "plait", + "plan", + "plane", + "plant", + "plaster", + "plasticise", + "plasticize", + "plate", + "plateau", + "play", + "plead", + "please", + "pledge", + "plight", + "plod", + "plonk", + "plop", + "plot", + "plough", + "pluck", + "plug", + "plumb", + "plummet", + "plump", + "plunder", + "plunge", + "plunk", + "pluralise", + "pluralize", + "ply", + "poach", + "pocket", + "point", + "poise", + "poison", + "poke", + "polarise", + "polarize", + "pole", + "poleax", + "poleaxe", + "police", + "polish", + "politicise", + "politicize", + "poll", + "pollard", + "pollinate", + "pollute", + "polymerise", + "polymerize", + "ponce", + "ponder", + "pong", + "pontificate", + "pony", + "pooh", + "pool", + "pootle", + "pop", + "popularise", + "popularize", + "populate", + "pore", + "port", + "portend", + "portion", + "portray", + "pose", + "posit", + "position", + "possess", + "posset", + "post", + "postmark", + "postpone", + "postulate", + "posture", + "pot", + "potter", + "pounce", + "pound", + "pour", + "pout", + "powder", + "power", + "practice", + "practise", + "praise", + "praises", + "prance", + "prang", + "prate", + "prattle", + "pray", + "preach", + "precede", + "precipitate", + "precis", + "preclude", + "predate", + "predecease", + "predetermine", + "predicate", + "predict", + "predispose", + "predominate", + "preen", + "preface", + "prefer", + "prefigure", + "prefix", + "preheat", + "prejudge", + "prejudice", + "preload", + "premaster", + "premiere", + "preoccupy", + "prep", + "prepare", + "prepone", + "preregister", + "presage", + "prescind", + "prescribe", + "preselect", + "presell", + "present", + "preserve", + "preset", + "preside", + "press", + "pressure", + "pressurise", + "pressurize", + "presume", + "presuppose", + "pretend", + "pretest", + "prettify", + "prevail", + "prevaricate", + "prevent", + "preview", + "prey", + "price", + "prickle", + "pride", + "prime", + "primp", + "print", + "prioritise", + "prioritize", + "prise", + "privatise", + "privatize", + "privilege", + "prize", + "probate", + "probe", + "proceed", + "process", + "proclaim", + "procrastinate", + "procreate", + "proctor", + "procure", + "prod", + "produce", + "profane", + "profess", + "professionalise", + "professionalize", + "proffer", + "profile", + "profit", + "program", + "programme", + "progress", + "prohibit", + "project", + "proliferate", + "prolong", + "promenade", + "promise", + "promote", + "prompt", + "promulgate", + "pronounce", + "proof", + "proofread", + "prop", + "propagandise", + "propagandize", + "propagate", + "propel", + "prophesy", + "propitiate", + "propose", + "proposition", + "propound", + "proscribe", + "prosecute", + "proselytise", + "proselytize", + "prospect", + "prosper", + "prostrate", + "protect", + "protest", + "protrude", + "prove", + "provide", + "provision", + "provoke", + "prowl", + "prune", + "pry", + "psych", + "psychoanalyse", + "publicise", + "publicize", + "publish", + "pucker", + "puff", + "pull", + "pullulate", + "pulp", + "pulsate", + "pulse", + "pulverise", + "pulverize", + "pummel", + "pump", + "pun", + "punch", + "punctuate", + "puncture", + "punish", + "punt", + "pupate", + "purchase", + "purge", + "purify", + "purl", + "purloin", + "purport", + "purr", + "purse", + "pursue", + "purvey", + "push", + "pussyfoot", + "put", + "putrefy", + "putt", + "putter", + "puzzle", + "quack", + "quadruple", + "quaff", + "quail", + "quake", + "qualify", + "quantify", + "quarantine", + "quarrel", + "quarry", + "quarter", + "quarterback", + "quash", + "quaver", + "quell", + "quench", + "query", + "quest", + "question", + "queue", + "quibble", + "quicken", + "quiet", + "quieten", + "quintuple", + "quip", + "quirk", + "quit", + "quiver", + "quiz", + "quote", + "quoth", + "rabbit", + "race", + "rack", + "radiate", + "radicalise", + "radicalize", + "radio", + "raffle", + "rag", + "rage", + "raid", + "rail", + "railroad", + "rain", + "raise", + "rake", + "rally", + "ram", + "ramble", + "ramp", + "rampage", + "randomise", + "randomize", + "range", + "rank", + "rankle", + "ransack", + "ransom", + "rant", + "rap", + "rappel", + "rasp", + "rasterise", + "rasterize", + "rat", + "ratchet", + "rate", + "ratify", + "ration", + "rationalise", + "rationalize", + "rattle", + "ravage", + "rave", + "ravel", + "ravish", + "raze", + "razz", + "reach", + "reacquaint", + "react", + "reactivate", + "read", + "readdress", + "readies", + "readjust", + "readmit", + "ready", + "reaffirm", + "realign", + "realise", + "realize", + "reallocate", + "ream", + "reanimate", + "reap", + "reappear", + "reapply", + "reappoint", + "reappraise", + "rear", + "rearm", + "rearrange", + "reason", + "reassemble", + "reassert", + "reassess", + "reassign", + "reassure", + "reawaken", + "rebel", + "reboot", + "reborn", + "rebound", + "rebrand", + "rebuff", + "rebuild", + "rebuke", + "rebut", + "recall", + "recant", + "recap", + "recapitulate", + "recapture", + "recast", + "recede", + "receive", + "recess", + "recharge", + "reciprocate", + "recite", + "reckon", + "reclaim", + "reclassify", + "recline", + "recognise", + "recognize", + "recoil", + "recollect", + "recommence", + "recommend", + "recompense", + "reconcile", + "recondition", + "reconfigure", + "reconfirm", + "reconnect", + "reconnoitre", + "reconquer", + "reconsider", + "reconstitute", + "reconstruct", + "reconvene", + "record", + "recount", + "recoup", + "recover", + "recreate", + "recrudesce", + "recruit", + "rectify", + "recuperate", + "recur", + "recycle", + "redact", + "redden", + "redecorate", + "redeem", + "redefine", + "redeploy", + "redesign", + "redevelop", + "redial", + "redirect", + "rediscover", + "redistribute", + "redistrict", + "redo", + "redouble", + "redound", + "redraft", + "redraw", + "redress", + "reduce", + "reduplicate", + "reef", + "reek", + "reel", + "ref", + "refer", + "referee", + "reference", + "refill", + "refinance", + "refine", + "refit", + "reflate", + "reflect", + "refloat", + "refocus", + "reform", + "reformat", + "reformulate", + "refract", + "refrain", + "refresh", + "refrigerate", + "refuel", + "refund", + "refurbish", + "refuse", + "refute", + "regain", + "regale", + "regard", + "regenerate", + "register", + "regress", + "regret", + "regroup", + "regularise", + "regularize", + "regulate", + "regurgitate", + "rehabilitate", + "rehash", + "rehear", + "rehearse", + "reheat", + "rehome", + "rehouse", + "reign", + "reignite", + "reimburse", + "rein", + "reincarnate", + "reinforce", + "reinstate", + "reinterpret", + "reintroduce", + "reinvent", + "reinvest", + "reinvigorate", + "reissue", + "reiterate", + "reject", + "rejig", + "rejigger", + "rejoice", + "rejoin", + "rejuvenate", + "rekindle", + "relapse", + "relate", + "relaunch", + "relax", + "relay", + "release", + "relegate", + "relent", + "relieve", + "relinquish", + "relish", + "relive", + "reload", + "relocate", + "rely", + "remain", + "remainder", + "remake", + "remand", + "remap", + "remark", + "remarry", + "remaster", + "remediate", + "remedy", + "remember", + "remind", + "reminisce", + "remit", + "remix", + "remodel", + "remonstrate", + "remortgage", + "remould", + "remount", + "remove", + "remunerate", + "rename", + "rend", + "render", + "rendezvous", + "renege", + "renew", + "renounce", + "renovate", + "rent", + "reoccur", + "reoffend", + "reopen", + "reorder", + "reorganise", + "reorganize", + "reorient", + "repackage", + "repair", + "repatriate", + "repay", + "repeal", + "repeat", + "repel", + "repent", + "rephrase", + "replace", + "replay", + "replenish", + "replicate", + "reply", + "report", + "repose", + "repossess", + "represent", + "repress", + "reprieve", + "reprimand", + "reprint", + "reproach", + "reprocess", + "reproduce", + "reprove", + "repudiate", + "repulse", + "repurpose", + "request", + "require", + "requisition", + "requite", + "rerun", + "reschedule", + "rescind", + "rescue", + "research", + "researches", + "resect", + "resell", + "resemble", + "resent", + "reserve", + "reset", + "resettle", + "reshape", + "reshuffle", + "reside", + "resign", + "resist", + "resit", + "resize", + "reskill", + "resolve", + "resonate", + "resort", + "resound", + "resource", + "respect", + "respire", + "respond", + "respray", + "rest", + "restart", + "restate", + "restock", + "restore", + "restrain", + "restrict", + "restring", + "restructure", + "result", + "resume", + "resupply", + "resurface", + "resurrect", + "resuscitate", + "retail", + "retain", + "retake", + "retaliate", + "retch", + "retell", + "retest", + "rethink", + "retire", + "retool", + "retort", + "retouch", + "retrace", + "retract", + "retrain", + "retreat", + "retrench", + "retrieve", + "retrofit", + "retry", + "return", + "reunify", + "reunite", + "reuse", + "rev", + "revalue", + "revamp", + "reveal", + "revel", + "revenge", + "reverberate", + "revere", + "reverse", + "revert", + "review", + "revile", + "revise", + "revisit", + "revitalise", + "revitalize", + "revive", + "revivify", + "revoke", + "revolt", + "revolutionise", + "revolutionize", + "revolve", + "reward", + "rewind", + "rewire", + "reword", + "rework", + "rewrite", + "rhapsodise", + "rhapsodize", + "rhyme", + "rib", + "rick", + "ricochet", + "rid", + "riddle", + "ride", + "ridge", + "ridicule", + "riffle", + "rifle", + "rig", + "right", + "rightsize", + "rile", + "rim", + "ring", + "rinse", + "riot", + "rip", + "ripen", + "riposte", + "ripple", + "rise", + "risk", + "ritualise", + "ritualize", + "rival", + "rivet", + "roam", + "roar", + "roast", + "rob", + "robe", + "rock", + "rocket", + "roger", + "roll", + "romance", + "romanticise", + "romanticize", + "romp", + "roof", + "room", + "roost", + "root", + "rope", + "rosin", + "roster", + "rot", + "rotate", + "rouge", + "rough", + "roughen", + "roughhouse", + "round", + "rouse", + "roust", + "rout", + "route", + "rove", + "row", + "rub", + "rubberneck", + "rubbish", + "ruck", + "rue", + "ruffle", + "ruin", + "ruins", + "rule", + "rumble", + "ruminate", + "rummage", + "rumor", + "rumour", + "rumple", + "run", + "rupture", + "rush", + "rust", + "rustle", + "sabotage", + "sack", + "sacrifice", + "sadden", + "saddle", + "safeguard", + "sag", + "sail", + "salaam", + "salivate", + "sally", + "salt", + "salute", + "salvage", + "salve", + "sample", + "sanctify", + "sanction", + "sand", + "sandbag", + "sandblast", + "sandpaper", + "sandwich", + "sanitise", + "sanitize", + "sap", + "sashay", + "sass", + "sate", + "satiate", + "satirise", + "satirize", + "satisfy", + "saturate", + "saunter", + "savage", + "save", + "savor", + "savour", + "saw", + "say", + "scald", + "scale", + "scallop", + "scalp", + "scamper", + "scan", + "scandalise", + "scandalize", + "scapegoat", + "scar", + "scare", + "scarf", + "scarify", + "scarper", + "scatter", + "scattering", + "scavenge", + "scent", + "schedule", + "schematise", + "schematize", + "scheme", + "schlep", + "schlepp", + "schmooze", + "school", + "schtup", + "schuss", + "scoff", + "scold", + "scoop", + "scoot", + "scope", + "scorch", + "score", + "scorn", + "scotch", + "scour", + "scourge", + "scout", + "scowl", + "scrabble", + "scram", + "scramble", + "scrap", + "scrape", + "scratch", + "scrawl", + "scream", + "screech", + "screen", + "screw", + "scribble", + "scrimp", + "script", + "scroll", + "scrounge", + "scrub", + "scrummage", + "scrunch", + "scruple", + "scrutinise", + "scrutinize", + "scud", + "scuff", + "scuffle", + "scull", + "sculpt", + "scupper", + "scurry", + "scuttle", + "scythe", + "seal", + "sealift", + "sear", + "search", + "season", + "seat", + "secede", + "seclude", + "second", + "secrete", + "section", + "secularise", + "secularize", + "secure", + "sedate", + "see", + "seed", + "seek", + "seep", + "seethe", + "segment", + "segregate", + "segue", + "seize", + "select", + "sell", + "sellotape", + "semaphore", + "send", + "sensationalise", + "sensationalize", + "sense", + "sensitise", + "sensitize", + "sentence", + "sentimentalise", + "sentimentalize", + "separate", + "sequence", + "sequester", + "sequestrate", + "serenade", + "serialise", + "serialize", + "sermonise", + "sermonize", + "serve", + "service", + "set", + "settle", + "sever", + "sew", + "shack", + "shackle", + "shade", + "shadow", + "shaft", + "shake", + "shalt", + "sham", + "shamble", + "shame", + "shampoo", + "shanghai", + "shape", + "share", + "sharpen", + "shatter", + "shave", + "shear", + "sheathe", + "shed", + "sheer", + "shell", + "shellac", + "shelter", + "shelve", + "shepherd", + "shield", + "shift", + "shimmer", + "shimmy", + "shin", + "shine", + "shinny", + "ship", + "shipwreck", + "shirk", + "shiver", + "shock", + "shoe", + "shoehorn", + "shoo", + "shoot", + "shop", + "shoplift", + "shore", + "short", + "shorten", + "shortlist", + "shoulder", + "shout", + "shove", + "shovel", + "show", + "showboat", + "showcase", + "shower", + "shred", + "shriek", + "shrill", + "shrink", + "shrivel", + "shroom", + "shroud", + "shrug", + "shuck", + "shudder", + "shuffle", + "shun", + "shunt", + "shush", + "shut", + "shuttle", + "shy", + "sic", + "sick", + "sicken", + "side", + "sideline", + "sidestep", + "sideswipe", + "sidetrack", + "sidle", + "sieve", + "sift", + "sigh", + "sight", + "sightsee", + "sign", + "signal", + "signify", + "signpost", + "silence", + "silhouette", + "silt", + "silver", + "simmer", + "simper", + "simplify", + "simulate", + "simulcast", + "sin", + "sing", + "singe", + "single", + "sink", + "sip", + "siphon", + "sire", + "sit", + "site", + "situate", + "size", + "sizzle", + "skate", + "skateboard", + "skedaddle", + "sketch", + "skew", + "skewer", + "ski", + "skid", + "skim", + "skimp", + "skin", + "skip", + "skipper", + "skirmish", + "skirt", + "skitter", + "skive", + "skivvy", + "skulk", + "sky", + "skyjack", + "skyrocket", + "slack", + "slacken", + "slake", + "slam", + "slander", + "slap", + "slash", + "slate", + "slather", + "sledge", + "sleek", + "sleep", + "sleepwalk", + "sleet", + "slew", + "slice", + "slick", + "slide", + "slight", + "slim", + "sling", + "slink", + "slip", + "slit", + "slither", + "slob", + "slobber", + "slog", + "slop", + "slope", + "slosh", + "slot", + "slouch", + "slough", + "slow", + "slug", + "sluice", + "slum", + "slumber", + "slump", + "slur", + "slurp", + "smart", + "smarten", + "smash", + "smear", + "smell", + "smelt", + "smile", + "smirk", + "smite", + "smoke", + "smooch", + "smoodge", + "smooth", + "smother", + "smoulder", + "smudge", + "smuggle", + "snack", + "snaffle", + "snag", + "snaggle", + "snake", + "snap", + "snare", + "snarf", + "snarl", + "sneak", + "sneer", + "sneeze", + "snicker", + "sniff", + "sniffle", + "snip", + "snipe", + "snitch", + "snivel", + "snooker", + "snoop", + "snooper", + "snooze", + "snore", + "snorkel", + "snort", + "snow", + "snowball", + "snowplough", + "snowplow", + "snub", + "snuffle", + "snuffling", + "snuggle", + "soak", + "soap", + "soar", + "sober", + "socialise", + "socialize", + "sock", + "sod", + "soften", + "soil", + "sojourn", + "solace", + "solder", + "soldier", + "sole", + "solemnise", + "solemnize", + "solicit", + "solidify", + "soliloquize", + "solve", + "somersault", + "soothe", + "sorrow", + "sort", + "sough", + "sound", + "soundproof", + "soup", + "sour", + "source", + "sow", + "space", + "span", + "spangle", + "spar", + "spare", + "spark", + "sparkle", + "spatter", + "spattering", + "spawn", + "spay", + "speak", + "spear", + "spearhead", + "spec", + "specialise", + "specialize", + "specify", + "spectacles", + "spectate", + "speculate", + "speed", + "spell", + "spellcheck", + "spend", + "spew", + "spice", + "spiff", + "spike", + "spill", + "spin", + "spiral", + "spirit", + "spit", + "spite", + "splash", + "splatter", + "splay", + "splice", + "splinter", + "split", + "splosh", + "splurge", + "splutter", + "spoil", + "sponge", + "sponsor", + "spoof", + "spook", + "spool", + "spoon", + "sport", + "sports", + "spot", + "spotlight", + "spout", + "sprain", + "sprawl", + "spray", + "spread", + "spring", + "springboard", + "sprinkle", + "sprint", + "spritz", + "sprout", + "spruce", + "spur", + "spurn", + "spurt", + "sputter", + "spy", + "squabble", + "squall", + "squander", + "square", + "squash", + "squat", + "squawk", + "squeak", + "squeal", + "squeeze", + "squelch", + "squint", + "squirm", + "squirrel", + "squirt", + "squish", + "stab", + "stabilise", + "stabilize", + "stable", + "stables", + "stack", + "staff", + "stage", + "stagger", + "stagnate", + "stain", + "stake", + "stalk", + "stall", + "stammer", + "stamp", + "stampede", + "stanch", + "stand", + "standardise", + "standardize", + "staple", + "star", + "starch", + "stare", + "start", + "startle", + "starve", + "stash", + "state", + "statement", + "station", + "staunch", + "stave", + "stay", + "steady", + "steal", + "steam", + "steamroller", + "steel", + "steep", + "steepen", + "steer", + "stem", + "stencil", + "step", + "stereotype", + "sterilise", + "sterilize", + "stew", + "stick", + "stickybeak", + "stiff", + "stiffen", + "stifle", + "stigmatise", + "stigmatize", + "still", + "stimulate", + "sting", + "stinger", + "stink", + "stint", + "stipple", + "stipulate", + "stir", + "stitch", + "stock", + "stockpile", + "stoke", + "stomach", + "stomp", + "stone", + "stonewall", + "stoop", + "stop", + "stopper", + "store", + "storm", + "storyboard", + "stow", + "straddle", + "strafe", + "straggle", + "straighten", + "strain", + "strand", + "strangle", + "strap", + "stratify", + "stravage", + "stravaig", + "stray", + "streak", + "stream", + "streamline", + "strengthen", + "stress", + "stretch", + "stretcher", + "strew", + "stride", + "strike", + "string", + "strip", + "strive", + "stroll", + "structure", + "struggle", + "strum", + "strut", + "stub", + "stud", + "study", + "stuff", + "stultify", + "stumble", + "stump", + "stun", + "stunt", + "stupefy", + "stutter", + "style", + "stymie", + "sub", + "subcontract", + "subdivide", + "subdue", + "subedit", + "subject", + "sublet", + "sublimate", + "submerge", + "submit", + "subordinate", + "suborn", + "subpoena", + "subscribe", + "subside", + "subsidise", + "subsidize", + "subsist", + "substantiate", + "substitute", + "subsume", + "subtend", + "subtitle", + "subtract", + "subvert", + "succeed", + "succor", + "succour", + "succumb", + "suckle", + "suction", + "sue", + "suffer", + "suffice", + "suffocate", + "suffuse", + "sugar", + "suggest", + "suit", + "sulk", + "sulks", + "sully", + "sum", + "summarise", + "summarize", + "summon", + "summons", + "sun", + "sunbathe", + "sunder", + "sunset", + "sup", + "superimpose", + "superintend", + "superpose", + "supersede", + "supersize", + "supersized", + "supervene", + "supervise", + "supplant", + "supplement", + "supply", + "support", + "suppose", + "suppress", + "suppurate", + "surcharge", + "surf", + "surface", + "surge", + "surmise", + "surmount", + "surpass", + "surprise", + "surrender", + "surround", + "survey", + "survive", + "suspect", + "suspend", + "suspenders", + "suss", + "sustain", + "suture", + "swab", + "swaddle", + "swagger", + "swamp", + "swan", + "swank", + "swap", + "swarm", + "swat", + "swath", + "swathe", + "sway", + "swear", + "sweat", + "sweep", + "sweeps", + "sweeten", + "swell", + "swelter", + "swerve", + "swig", + "swill", + "swim", + "swindle", + "swing", + "swipe", + "swirl", + "swish", + "switch", + "swivel", + "swoon", + "swoop", + "swoosh", + "swot", + "symbolise", + "symbolize", + "sympathise", + "sympathize", + "symptomize", + "synchronise", + "synchronize", + "syndicate", + "synthesise", + "synthesize", + "syringe", + "systematise", + "systematize", + "tab", + "table", + "tabulate", + "tack", + "tackle", + "tag", + "tail", + "tailgate", + "tailor", + "taint", + "take", + "talk", + "tally", + "tame", + "tamp", + "tamper", + "tan", + "tangle", + "tango", + "tank", + "tankful", + "tantalise", + "tantalize", + "tap", + "tape", + "taper", + "tar", + "target", + "tarmac", + "tarnish", + "tarry", + "tart", + "task", + "taste", + "tattle", + "tattoo", + "taunt", + "tauten", + "tax", + "taxi", + "taxicab", + "teach", + "team", + "tear", + "tease", + "tee", + "teem", + "teeter", + "teethe", + "telecast", + "telecommute", + "teleconference", + "telegraph", + "telemeter", + "teleoperate", + "telephone", + "teleport", + "telescope", + "televise", + "telex", + "tell", + "telnet", + "temp", + "temper", + "temporise", + "temporize", + "tempt", + "tenant", + "tend", + "tender", + "tenderise", + "tenderize", + "tense", + "tension", + "tergiversate", + "term", + "terminate", + "terraform", + "terrify", + "terrorise", + "terrorize", + "test", + "testify", + "tether", + "text", + "thank", + "thatch", + "thaw", + "theorise", + "theorize", + "thicken", + "thin", + "think", + "thirst", + "thrash", + "thread", + "threaten", + "thresh", + "thrill", + "thrive", + "throb", + "throbbing", + "throng", + "throttle", + "throw", + "thud", + "thumb", + "thump", + "thunder", + "thwack", + "thwart", + "tick", + "ticket", + "tickle", + "tide", + "tidy", + "tie", + "tighten", + "tile", + "till", + "tilt", + "time", + "timetable", + "tinge", + "tingle", + "tingling", + "tinker", + "tinkling", + "tint", + "tip", + "tippex", + "tipple", + "tiptoe", + "tire", + "titillate", + "titivate", + "title", + "titrate", + "titter", + "toady", + "toast", + "toboggan", + "toddle", + "toe", + "tog", + "toggle", + "toil", + "tolerate", + "toll", + "tone", + "tongue", + "tonify", + "tool", + "toot", + "tootle", + "top", + "topple", + "torch", + "torment", + "torpedo", + "toss", + "tot", + "total", + "tote", + "totter", + "touch", + "tough", + "toughen", + "tour", + "tousle", + "tout", + "tow", + "towel", + "tower", + "toy", + "trace", + "track", + "trade", + "traduce", + "traffic", + "trail", + "train", + "traipse", + "trammel", + "trample", + "trampoline", + "tranquilize", + "tranquillize", + "transact", + "transcend", + "transcribe", + "transfer", + "transfigure", + "transfix", + "transform", + "transfuse", + "transgress", + "transit", + "translate", + "transliterate", + "transmit", + "transmogrify", + "transmute", + "transpire", + "transplant", + "transport", + "transpose", + "trap", + "trash", + "traumatise", + "traumatize", + "travel", + "traverse", + "trawl", + "tread", + "treasure", + "treat", + "treble", + "trek", + "tremble", + "trembling", + "trepan", + "trespass", + "trial", + "trick", + "trickle", + "trifle", + "trigger", + "trill", + "trim", + "trip", + "triple", + "triumph", + "trivialise", + "trivialize", + "troll", + "tromp", + "troop", + "trot", + "trouble", + "troubleshoot", + "trounce", + "trouser", + "truant", + "truck", + "trudge", + "trump", + "trumpet", + "truncate", + "trundle", + "truss", + "trust", + "try", + "tuck", + "tug", + "tugboat", + "tumble", + "tune", + "tunnel", + "turbocharge", + "turf", + "turn", + "tussle", + "tut", + "tutor", + "twang", + "tweak", + "tweet", + "twiddle", + "twig", + "twin", + "twine", + "twinkle", + "twirl", + "twist", + "twitch", + "twitter", + "twittering", + "type", + "typecast", + "typeset", + "typify", + "tyrannise", + "tyrannize", + "ulcerate", + "ululate", + "ump", + "umpire", + "unbalance", + "unban", + "unbend", + "unblock", + "unbuckle", + "unburden", + "unbutton", + "uncoil", + "uncork", + "uncouple", + "uncover", + "uncurl", + "undelete", + "underachieve", + "underbid", + "undercharge", + "undercook", + "undercut", + "underestimate", + "underestimation", + "underexpose", + "undergo", + "underlie", + "underline", + "undermine", + "underpay", + "underperform", + "underpin", + "underplay", + "underrate", + "underscore", + "undersell", + "undershoot", + "underspend", + "understand", + "understate", + "understudy", + "undertake", + "undervalue", + "underwrite", + "undo", + "undock", + "undress", + "undulate", + "unearth", + "unfasten", + "unfold", + "unfreeze", + "unfurl", + "unhand", + "unhinge", + "unhitch", + "unhook", + "unify", + "uninstall", + "unionise", + "unionize", + "unite", + "unlace", + "unlearn", + "unleash", + "unload", + "unlock", + "unloose", + "unloosen", + "unmask", + "unnerve", + "unpack", + "unpick", + "unplug", + "unravel", + "unroll", + "unsaddle", + "unscramble", + "unscrew", + "unseat", + "unsettle", + "unsubscribe", + "untangle", + "untie", + "unveil", + "unwind", + "unwrap", + "unzip", + "up", + "upbraid", + "upchange", + "upchuck", + "update", + "upend", + "upgrade", + "uphold", + "upholster", + "uplift", + "upload", + "uproot", + "upsell", + "upset", + "upshift", + "upskill", + "upstage", + "urge", + "use", + "usher", + "usurp", + "utilise", + "utilize", + "utter", + "vacate", + "vacation", + "vaccinate", + "vacillate", + "vacuum", + "valet", + "validate", + "value", + "vamoose", + "vandalise", + "vandalize", + "vanish", + "vanquish", + "vaporise", + "vaporize", + "varnish", + "vary", + "vault", + "veer", + "veg", + "vegetate", + "veil", + "vend", + "veneer", + "venerate", + "vent", + "ventilate", + "venture", + "verbalise", + "verbalize", + "verge", + "verify", + "versify", + "vest", + "vet", + "veto", + "vex", + "vibrate", + "victimise", + "victimize", + "vide", + "video", + "videotape", + "vie", + "view", + "viewing", + "vilify", + "vindicate", + "violate", + "visit", + "visualise", + "visualize", + "vitiate", + "vitrify", + "vocalize", + "voice", + "void", + "volley", + "volumise", + "volumize", + "volunteer", + "vote", + "vouch", + "vouchsafe", + "vow", + "voyage", + "vulgarise", + "vulgarize", + "waddle", + "wade", + "waffle", + "waft", + "wag", + "wage", + "wager", + "waggle", + "wail", + "wait", + "waive", + "wake", + "wakeboard", + "waken", + "walk", + "wall", + "wallop", + "wallow", + "wallpaper", + "waltz", + "wander", + "wane", + "wangle", + "want", + "warble", + "ward", + "warm", + "warn", + "warp", + "warrant", + "wash", + "wassail", + "waste", + "watch", + "water", + "waterproof", + "waterski", + "wave", + "waver", + "wax", + "waylay", + "weaken", + "wean", + "weaponise", + "weaponize", + "wear", + "weary", + "weasel", + "weather", + "weatherise", + "weatherize", + "weave", + "wed", + "wedge", + "weekend", + "weep", + "weigh", + "weight", + "weird", + "welch", + "welcome", + "weld", + "well", + "welly", + "wend", + "westernise", + "westernize", + "wet", + "whack", + "wheedle", + "wheel", + "wheeze", + "whelp", + "whet", + "whiff", + "while", + "whilst", + "whimper", + "whine", + "whinge", + "whinny", + "whip", + "whirl", + "whirr", + "whirring", + "whisk", + "whisper", + "whispering", + "whistle", + "whiten", + "whitewash", + "whittle", + "whoop", + "whoosh", + "whup", + "wick", + "widen", + "widow", + "wield", + "wig", + "wiggle", + "wildcat", + "will", + "wilt", + "wimp", + "win", + "wince", + "winch", + "wind", + "winds", + "windsurf", + "wine", + "wing", + "wink", + "winkle", + "winnow", + "winter", + "wipe", + "wire", + "wiretap", + "wise", + "wisecrack", + "wish", + "withdraw", + "wither", + "withhold", + "withstand", + "witness", + "witter", + "wobble", + "wolf", + "wonder", + "woo", + "woof", + "word", + "work", + "worm", + "worry", + "worsen", + "worship", + "worst", + "wound", + "wow", + "wowee", + "wrangle", + "wrap", + "wreak", + "wreathe", + "wreck", + "wrench", + "wrest", + "wrestle", + "wriggle", + "wring", + "wrinkle", + "writ", + "write", + "writhe", + "wrong", + "wrought", + "xerox", + "yack", + "yak", + "yap", + "yaw", + "yawn", + "yearn", + "yell", + "yellow", + "yelp", + "yield", + "yodel", + "yoke", + "yomp", + "yowl", + "yuppify", + "zap", + "zero", + "zigzag", + "zing", + "zip", + "zone", + "zoom", +}); + +const auto esARAdjectives = std::to_array({ +"abandonada", +"abandonado", +"abarrotada", +"abarrotado", +"abarrotados", +"abierta", +"abierto", +"abiertas", +"abiertos", +"absoluto", +"abultada", +"abultadas", +"abultado", +"abultados", +"abundante", +"aburrida", +"aburridas", +"aburrido", +"aburridos", +"académica", +"académicas", +"académico", +"académicos", +"aceitoso", +"aceptable", +"acerado", +"aclamado", +"acogedor", +"acomodado", +"acorazado", +"acre", +"acrobático", +"activo", +"actual", +"acuoso", +"adecuado", +"adepto", +"adinerado", +"adjunto", +"admirable", +"adolescente", +"adorable", +"adorado", +"adormecer", +"adornado", +"afecto", +"aficionado", +"afilado", +"afortunada", +"afortunado", +"agitada", +"agitado", +"agonizante", +"agraciado", +"agradable", +"agradecido", +"agravante", +"agresivo", +"agrio", +"ahorquillado", +"ahorrativo", +"ajustado", +"alado", +"alarmado", +"alarmante", +"alegre", +"alejada", +"alejado", +"alertado", +"alguno", +"alienado", +"aliviado", +"alto", +"altruista", +"amable", +"amado", +"amargo", +"amarillento", +"amarillo", +"ambicioso", +"ambivalente", +"amenazador", +"amigable", +"amiláceo", +"amplio", +"analfabeto", +"ancho", +"anclado", +"andrajoso", +"anegada", +"anegado", +"angelical", +"angosto", +"angustiado", +"anillado", +"animado", +"anotado", +"ansioso", +"anterior", +"antieconómico", +"antiguo", +"antigüedad", +"antinatural", +"anual", +"apagado", +"apasionado", +"aplastante", +"aprensiva", +"aprensivo", +"apresurado", +"apta", +"aptas", +"apto", +"aptos", +"apuesto", +"aquellos", +"arenoso", +"armonioso", +"aromático", +"arreglada", +"arregladas", +"arreglado", +"arreglados", +"arrepentido", +"artesanal", +"articulación", +"artístico", +"asado", +"asombroso", +"asqueroso", +"astuto", +"asustadizo", +"asustada", +"asustadas", +"asustado", +"asustados", +"atemorizada", +"atemorizado", +"atenta", +"atentas", +"atento", +"atentos", +"aterciopelado", +"aterrador", +"aterrizada", +"aterrizadas", +"aterrizado", +"aterrizados", +"aterronado", +"atesorado", +"atestada", +"atestado", +"atlética", +"atlético", +"atractiva", +"atractivo", +"atrasada", +"atrasado", +"atrevida", +"atrevido", +"atronador", +"atropellar", +"atrás", +"austera", +"austero", +"automática", +"automático", +"autorizada", +"autorizado", +"autosuficiente", +"auténtico", +"avanzado", +"avara", +"avaro", +"avaros", +"aventurera", +"aventurero", +"aventureros", +"avergonzada", +"avergonzado", +"aviesos", +"azucarado", +"azul", +"baboso", +"bajo", +"barata", +"barato", +"basico", +"belicoso", +"beneficioso", +"benevolente", +"bienvenido", +"biodegradable", +"blanco", +"bonito", +"bostezando", +"boyante", +"breve", +"brillante", +"bronceado", +"bronceados", +"bronceada", +"bronceadas", +"brumoso", +"brumosa", +"brusca", +"brusco", +"bruta", +"bruto", +"bueno", +"buena", +"bullicioso", +"burbujeante", +"burlón", +"básico", +"básica", +"caballeroso", +"calada", +"calculador", +"calidoscópico", +"caliente", +"calificado", +"calificada", +"calmo", +"candente", +"candentes", +"canina", +"canino", +"casada", +"casado", +"cansada", +"cansado", +"capaz", +"capital", +"caprichosa", +"caprichoso", +"cariñosa", +"cariñoso", +"carnoso", +"caro", +"cara", +"casada", +"casadas", +"casado", +"casados", +"cauteloso", +"cavernoso", +"cavernosa", +"cavernosos", +"cavernosas", +"celestial", +"celoso", +"celosa", +"celosos", +"celosas", +"charlatana", +"charlatán", +"chiflado", +"chiflados", +"chiflada", +"chifladas", +"chirriante", +"chocante", +"chocho", +"ciego", +"científico", +"cilíndrica", +"circular", +"claro", +"clásico", +"cocido", +"cogedor", +"cogedora", +"colosal", +"colérico", +"comestible", +"compasivo", +"competente", +"complacido", +"compleja", +"complejo", +"completo", +"complicado", +"compuesto", +"común", +"comunicativa", +"comunicativo", +"concreto", +"confiable", +"confiando", +"confundido", +"confuso", +"congelado", +"conmovedor", +"conocido", +"conocimiento", +"consciente", +"considerado", +"constante", +"contaminante", +"contenido", +"contento", +"convencional", +"cooperativa", +"coordinada", +"coordinado", +"corajuda", +"corajudo", +"corpulento", +"corrupto", +"corto", +"cortés", +"costoso", +"creativo", +"crecido", +"creciente", +"cremoso", +"criminal", +"crudo", +"cruel", +"crujiente", +"crédulo", +"crítico", +"cuadrado", +"cuadriculada", +"cuadriculado", +"cuerdo", +"cuestionable", +"cuidadoso", +"culpable", +"cultivado", +"culto", +"cursi", +"curvado", +"cálido", +"célebre", +"cómodo", +"dañino", +"decente", +"decepcionado", +"decimal", +"decisivo", +"dedicado", +"defecto", +"defectuoso", +"defensivo", +"deficiente", +"definido", +"definitivo", +"deformado", +"delgado", +"delicioso", +"delirante", +"demandante", +"demonio", +"demorado", +"denso", +"dentado", +"dental", +"departamento", +"dependiente", +"derecho", +"desafiante", +"desafortunado", +"desagradable", +"desaliñado", +"desastroso", +"desconocido", +"descortés", +"descriptivo", +"descuidado", +"desdeñoso", +"desechable", +"deseoso", +"desequilibrado", +"desgraciado", +"deshonesto", +"desigual", +"desleal", +"deslumbrador", +"deslumbrante", +"desnudo", +"desolado", +"desordenado", +"despistado", +"desplegado", +"despreciable", +"despreocupado", +"desvergonzado", +"detallado", +"determinado", +"devanado", +"diferente", +"dificil", +"difuso", +"difícil", +"digital", +"diligente", +"diminuto", +"dinámico", +"directo", +"discreto", +"disfrazado", +"distante", +"distinto", +"distorsionado", +"divertido", +"doblado", +"documentado", +"dolorosa", +"doloroso", +"domada", +"domado", +"dorado", +"dotado", +"dramático", +"dual", +"dulce", +"duro", +"débil", +"ecuatorial", +"educado", +"egoísta", +"ejemplar", +"elaborador", +"elegante", +"elemental", +"elástico", +"eléctrico", +"elíptico", +"embrujado", +"eminente", +"emocional", +"emocionante", +"empapado", +"empinado", +"empinada", +"encantada", +"encantado", +"encorvado", +"endeble", +"energético", +"enfermo", +"enfocado", +"enfurecido", +"engañado", +"enloquecido", +"enojado", +"enorme", +"ensordecedor", +"entero", +"entreabierto", +"entrecano", +"entrenado", +"enturbiado", +"entusiasmado", +"envejecido", +"envidioso", +"enérgico", +"equivocado", +"erudita", +"erudito", +"esbelto", +"escamoso", +"escarchado", +"escaso", +"escuchimizado", +"esférica", +"esférico", +"español", +"espectacular", +"específico", +"espeluznante", +"esperanzado", +"espeso", +"espinoso", +"espléndido", +"esponjoso", +"espumoso", +"esquelético", +"estable", +"estables", +"estimada", +"estimadas", +"estimado", +"estimados", +"estimulante", +"estimulantes", +"estrellada", +"estrelladas", +"estrellado", +"estrellados", +"estricto", +"estridente", +"estudioso", +"estudiosos", +"estupendo", +"estándar", +"estéril", +"estériles", +"eterno", +"eufórico", +"exaltado", +"exaltados", +"excelente", +"excelentes", +"exceptico", +"excitable", +"excéntrico", +"exhaustivo", +"exhausto", +"exigente", +"experimentado", +"experta", +"expertas" +"experto", +"expertos", +"extragrande", +"extrapequeño", +"extravagante", +"extraño", +"extrovertido", +"extático", +"exótico", +"fabuloso", +"falso", +"familiar", +"famoso", +"fantástico", +"fascinante", +"fatal", +"favorable", +"favorita", +"favoritas", +"favorito", +"favoritos", +"feliz", +"felices", +"femenina", +"femeninas", +"femenino", +"femeninos", +"fea", +"feas", +"feo", +"feos", +"fiel", +"fijado", +"finalizado", +"firme", +"flaca", +"flaco", +"florido", +"formal", +"fornido", +"forrado", +"fragante", +"franco", +"franca", +"frecuente", +"frente", +"fresco", +"frondoso", +"fructífero", +"frugal", +"frágil", +"frígido", +"frío", +"frívolo", +"fuerte", +"funcional", +"furtivo", +"fácil", +"físico", +"gaseosa", +"gaseoso", +"gastado", +"generosa", +"generoso", +"genuino", +"gigante", +"gigantesco", +"giratorio", +"glorioso", +"gomoso", +"gordo", +"gracioso", +"grande", +"grandioso", +"grandísimo", +"granular", +"gratis", +"grave", +"gravosa", +"gravoso", +"gris", +"grotesco", +"grueso", +"gruesa", +"gruñón", +"hambriento", +"harapiento", +"harinoso", +"hastiado", +"helado", +"hermoso", +"hiriente", +"holgada", +"holgado", +"honesto", +"honorable", +"honrado", +"horrible", +"hospitalario", +"hueco", +"humilde", +"humillante", +"hábil", +"húmedo", +"ideal", +"idealista", +"idolatrazado", +"idéntico", +"ignorada", +"ignoradas", +"ignorado", +"ignorados", +"ignoradosabroso", +"ignorante", +"igual", +"ilegal", +"iluminada", +"iluminadas", +"iluminado", +"iluminados", +"ilustrada", +"ilustradas", +"ilustrado", +"ilustrados", +"ilustre", +"imaginario", +"imaginativo", +"imbécil", +"imbéciles", +"imparcial", +"imparciales", +"impecable", +"impecables", +"imperfecta", +"imperfectas", +"imperfecto", +"imperfectos", +"imperturbable", +"importante", +"imposible", +"impotente", +"impotentes", +"impreciso", +"impresionable", +"impresionante", +"improbable", +"improbables", +"impropio", +"imprudente", +"imprudentes", +"impura", +"impuras", +"impuro", +"impuros", +"inaceptable", +"inaceptables", +"inactivo", +"inagural", +"inclinada", +"inclinadas", +"inclinado", +"inclinados", +"incluida", +"incluidas", +"incluido", +"incluidos", +"incoloro", +"incoloros", +"incolora", +"incoloras", +"incomparable", +"incompatible", +"incompleto", +"inconcluso", +"inconsciente", +"inconsecuente", +"increíble", +"incómodo", +"indefenso", +"indeleble", +"indignante", +"indolente", +"inesperado", +"inestable", +"inexperto", +"infame", +"infantil", +"infeliz", +"inferior", +"infinito", +"informado", +"informal", +"ingenioso", +"ingenuo", +"inigualable", +"inmaculado", +"inmaduro", +"inmaterial", +"inmediato", +"inmenso", +"inmóvil", +"innato", +"inocente", +"inofensivo", +"inquietante", +"inseguro", +"insidioso", +"insignificante", +"insistente", +"instructivo", +"insubstancial", +"insípido", +"inteligente", +"intencional", +"intención", +"interesante", +"internacional", +"interno", +"intrépido", +"inusual", +"invicto", +"involuntario", +"inútil", +"irascible", +"irresponsable", +"irritable", +"irritante", +"izquierda", +"joven", +"jovial", +"jubilosa", +"jubiloso", +"jugoso", +"juguetón", +"juicioso", +"justa", +"justo", +"juvenil", +"júnior", +"lamentable", +"largo", +"larguisimo", +"lastimero", +"leal", +"lechoso", +"legal", +"legítimo", +"lejano", +"lejos", +"lento", +"leve", +"ligera", +"ligero", +"limitado", +"limpio", +"lindo", +"lineal", +"liso", +"listo", +"llamativo", +"llave", +"lleno", +"lloriqueando", +"llorón", +"loco", +"logrado", +"luchador", +"lujoso", +"luminoso", +"lustroso", +"luz", +"líquido", +"lívido", +"maduro", +"magnífico", +"magullado", +"majestuoso", +"maldito", +"malhumorado", +"malo", +"malsano", +"malvado", +"malévolo", +"malísimo", +"manchada", +"manchado", +"mandón", +"manso", +"mantecoso", +"maravilloso", +"marchitado", +"mareado", +"marrón", +"masculino", +"masivo", +"maternal", +"medio", +"mediocre", +"mejor", +"melosa", +"meloso", +"melódico", +"memorable", +"menor", +"mensual", +"mentolado", +"metiroso", +"metálico", +"mezclado", +"mimoso", +"miniatura", +"miserable", +"mismo", +"misterioso", +"moderno", +"modesto", +"molesto", +"monstruoso", +"montañoso", +"monumental", +"monótono", +"moral", +"mordido", +"mortal", +"mortificado", +"movil", +"muerto", +"mugriento", +"mundana", +"mundano", +"médico", +"medicinal", +"natural", +"necesario", +"necesitado", +"necio", +"negativa", +"negativo", +"nerviosa", +"nervioso", +"nocivo", +"nocturno", +"normal", +"notable", +"novedoso", +"nublado", +"nudoso", +"nueva", +"nuevo", +"nutritivo", +"náutico", +"obediente", +"oblongo", +"obsesionante", +"obvio", +"ocasional", +"oculto", +"ocupado", +"odioso", +"ofensivo", +"oficial", +"olvidado", +"ondulado", +"oportuno", +"optimista", +"optimo", +"opulento", +"ordenado", +"orgulloso", +"orgánico", +"original", +"oscuro", +"ostentosa", +"ostentoso", +"oval", +"oxidado", +"pacífica", +"pacífico", +"palmeado", +"paralela", +"paralelo", +"parcial", +"pasado", +"pasada", +"paternal", +"pecaminoso", +"peculiar", +"pegajoso", +"peleón", +"peligroso", +"peludo", +"pendiente", +"peor", +"pequeñito", +"pequeño", +"perdida", +"perdido", +"perdurable", +"perennes", +"perezoso", +"perfecta", +"perfecto", +"perfumado", +"periférico", +"periódico", +"perplejo", +"personal", +"pertinente", +"pesado", +"pesimista", +"picante", +"pintoresco", +"plano", +"plateada", +"plateado", +"plástica", +"plástico", +"poderosa", +"poderoso", +"podrido", +"político", +"popular", +"posible", +"positivo", +"potable", +"precavido", +"precioso", +"preciso", +"prematura", +"prematuro", +"preocupada", +"preocupado", +"prestigioso", +"presumido", +"primario", +"primero", +"principal", +"privado", +"probable", +"productiva", +"productivo", +"profundo", +"profuso", +"promedio", +"pronunciado", +"provechosa", +"provechoso", +"prudente", +"práctica", +"práctico", +"próximo", +"pulido", +"pulposo", +"puntiagudo", +"puntual", +"puntuales", +"pura", +"puro", +"pálido", +"púrpura", +"quebradizo", +"quejumbroso", +"querida", +"querido", +"radiante", +"rancia", +"rancio", +"rara", +"raro", +"rasgada", +"rasgado", +"rayada", +"rayado", +"razonable", +"raído", +"reacio", +"real", +"realista", +"rechoncho", +"reciente", +"recortada", +"recortado", +"redonda", +"redondo", +"reflejada", +"reflejado", +"regular", +"reluciente", +"remoto", +"rentable", +"repentino", +"repleta", +"repletas", +"repleto", +"repugnante", +"repulsivo", +"requerido", +"resbaladizo", +"respetuoso", +"responsable", +"revoltosa", +"revoltoso", +"revuelto", +"rico", +"rizada", +"rizado", +"robusto", +"rojiso", +"ronco", +"rosa", +"rosada", +"rosado", +"rota", +"roto", +"rubicundo", +"rubia", +"rubio", +"rubor", +"ruidoso", +"rural", +"rurales", +"rápido", +"rígido", +"rústico", +"sabrosa", +"sabrosas", +"sabroso", +"salada", +"saladas", +"salado", +"saludable", +"salvaje", +"sarcástico", +"sardónico", +"satisfecho", +"seco", +"secreto", +"secundario", +"sediento", +"sedoso", +"segundo", +"seguro", +"semanalmente", +"sencillo", +"sentido", +"sentimental", +"separada", +"separado", +"sereno", +"serio", +"servera", +"severo", +"significar", +"silencioso", +"similar", +"simple", +"simplista", +"simpático", +"sincero", +"sobrecocido", +"sociable", +"sofisticado", +"sofocante", +"soleada", +"soleado", +"solitaria", +"solitario", +"sola", +"solo", +"soltera", +"soltero", +"sombreada", +"sombreado", +"sombrío", +"somnolienta", +"somnoliento", +"sorda", +"sordo", +"sorprendida", +"sorprendido", +"sospechosa", +"sospechoso", +"suave", +"subestimada", +"subestimado", +"suburbano", +"sucio", +"sudorosa", +"sudorosas", +"sudoroso", +"sudorosos", +"sumiso", +"superficial", +"superior", +"sustancial", +"susurrado", +"sutil", +"sólido", +"súper", +"tacaña", +"tacañas", +"tacaño", +"tacaños", +"tangible", +"tarde", +"tardío", +"tediosa", +"tedioso", +"tembleque", +"temeraria", +"temerario", +"temerosa", +"temeroso", +"tempestuoso", +"temprano", +"tensa", +"tenso", +"tentador", +"teñída", +"teñido", +"tibia", +"tibio", +"tirante", +"todo", +"tonta", +"tonto", +"torbellino", +"torcido", +"torpe", +"tostada", +"tostado", +"total", +"tranquila", +"tranquilo", +"traumático", +"travieso", +"triangular", +"trimestral", +"triste", +"trivial", +"trágico", +"tumba", +"turbio", +"turbulento", +"tímido", +"unido", +"uniforme", +"urbano", +"usable", +"usada", +"usadas", +"usado", +"usados", +"utilizado", +"utilizados", +"vacante", +"vacantes", +"vacío", +"vago", +"valiente", +"valioso", +"vano", +"variable", +"varios", +"vaso", +"vasto", +"venerada", +"venerado", +"vengativo", +"ventoso", +"veraz", +"verboso", +"verdadera", +"verdaderas", +"verdadero", +"verdaderos", +"vergonzoso", +"verifiable", +"vertical", +"vibrante", +"vicioso", +"victorioso", +"vieja", +"viejas", +"viejo", +"viejos", +"vigilante", +"vigoroso", +"villana", +"villanas", +"villano", +"villanos", +"violenta", +"violentas", +"violento", +"violentos", +"violeta", +"virtual", +"virtuosa", +"virtuosas", +"virtuoso", +"virtuosos", +"visible", +"visibles", +"vistoso", +"vistosos", +"vital", +"vitales", +"vivaz", +"vivaces" +"vivir", +"viva", +"vivo", +"vivas", +"vivos", +"voluble", +"voluminosa", +"voluminoso", +"voluminosas", +"voluminosos", +"válida", +"válido", +"vívida", +"vívido", +"zigzageante", +"zumbadora", +"zumbadoras", +"zumbador", +"zumbadores", +"zumbido", +"ácida", +"ácidas", +"ácido", +"ácidos", +"ágil", +"árido", +"ártico", +"árticos", +"ético", +"éticos", +"óptima", +"óptimas", +"óptimo", +"óptimos", +"única", +"único", +"únicas", +"únicos", +"útil", + "super", + "superb", + "superficial", + "superior", + "supportive", + "surefooted", + "surprised", + "suspicious", + "svelte", + "sweaty", + "sweet", + "sweltering", + "swift", + "sympathetic", + "tall", + "talkative", + "tame", + "tan", + "tangible", + "tart", + "tasty", + "tattered", + "taut", + "tedious", + "teeming", + "tempting", + "tender", + "tense", + "tepid", + "terrible", + "terrific", + "testy", + "thankful", + "that", + "these", + "thick", + "thin", + "third", + "thirsty", + "this", + "thorough", + "thorny", + "those", + "thoughtful", + "threadbare", + "thrifty", + "thunderous", + "tidy", + "tight", + "timely", + "tinted", + "tiny", + "tired", + "torn", + "total", + "tough", + "traumatic", + "treasured", + "tremendous", + "tragic", + "trained", + "triangular", + "tricky", + "trifling", + "trim", + "trivial", + + +}); + +const auto esARAdverbs = std::to_array({ + "anormal", + "anormalmente", + "accidental", + "acidamente", + "actualmente", + "alternativamente", + "aqui", + "casi", + "siempre", + "cruelmente", + "anualmente", + "ansiosamente", + "arrogantemente", + "amablemente", + "mal", + "claramente", + "bellamente", + "rapidamente", + "bajo", + "ciegamente", + "apropiadamente", + "banalmente", + "bellamente", + "benignamente", + "bien", + "blandamente", + "bondadosamente", + "breve", + "brillantemente", + "briosamente", + "bruscamente", + "burdamente", + "cabalmente", + "calamitosamente", + "calorosamente", + "calurosamente", + "caninamente", + "cariñosamente", + "carnalemente", + "cartograficamente", + "cautelosamente", + "celestialmente", + "celadamente", + "cierto", + "ciegamente", + "cinematograficamente", + "claro", + "curiosamente", + "cinicamente", + "desafortunadamente", + "democráticamente", + "deportivamente", + "desafinadamente", + "diariamente", + "deseosamente", + "deshonestamente", + "despacio", + "destructivamente", + "devastadoramente", + "dinámicamente", + "dignamente", + "directamente", + "dolorosamente", + "educativamente", + "elegantemente", + "energeticamente", + "encima", + "enconfidamente", + "efermantemente", + "especialmente", + "enseguida", + "equivocadamente", + "erróneamente", + "exactamente", + "excitadamente", + "extremadamente", + "fabulosamente", + "famosamente", + "fatal", + "fatigadamente", + "favorablemente", + "felizmente", + "ferozmente", + "fijo", + "filialmente", + "firme", + "fluidamente", + "fonológicamente", + "francamente", + "fraudulentamente", + "frecuentemente", + "fríamente", + "frívolamente", + "furiosamente", + "fácilemente", + "gangosamente", + "generosamente", + "gentilmente", + "globalmente", + "gradualmente", + "graciosamente", + "gratarola", + "gratis", + "grandiosamente", + "habilidosamente", + "habitualmente", + "hegemónicamente", + "heroicamente", + "historicamente", + "hondamente", + "honradamente", + "honestamente", + "horriblemente", + "horrorosamente", + "hábilmente", + "idealemente", + "inocentemente", + "inflexiblemente", + "ilegalmente", + "intensamente", + "intencionalmente", + "injustamente", + "inapropiadamente", + "irritablemente", + "jocosamente", + "jerárquicamente", + "jodidamente", + "jubilosamente", + "judicialmente", + "jugosamente", + "junto", + "justamente", + "jactaciosamente", + "lacónicamente", + "lamentablemente", + "lastimosamente", + "lateralmente", + "lealmente", + "legislativamente", + "lentamente", + "lento", + "lerdamente", + "libremente", + "limitadamente", + "lindamente", + "lisamente", + "literalmente", + "livianamente", + "localmente", + "logradamente", + "longitudinalmente", + "lujuriosamente", + "luminosamente", + "lógicamente", + "lúdicamente", + "maduramente", + "magneticamente", + "magnificamente", + "mecanicamente", + "mal", + "miserablemente", + "malisiosamente", + "matemáticamente", + "mayormente", + "mecánicamente", + "metaforicamente", + "misteriosamente", + "miserablemente", + "moralmente", + "mostruosamente", + "morbosamente", + "mortalmente", + "mórbidamente", + "naturalmente", + "necesariamente", + "nerviosamente", + "noblemente", + "nomás", + "normalito", + "notablemente", + "novedosamente", + "nuevamente", + "nítidamente", + "obcecadamente", + "obscenamente", + "obsesivamente", + "ofencivamente", + "oficialmente", + "ofuscadamente", + "olorosamente", + "onerosamente", + "oralmente", + "oportunamente", + "ordenadamente", + "pacíficamente", + "parcialmente", + "pacientemente", + "pausadamente", + "pavorosamente", + "perdidamente", + "perceptiblemente", + "perfectamente", + "perfumadamente", + "periodicamente", + "politicamente", + "positivamente", + "pragamaticamente", + "potencialmente", + "populosamente", + "propiamente", + "prehistoricamente", + "pudorosamente", + "pujantemente", + "puntillosamente", + "puntualmente", + "publicamente", + "pésimamente", + "quedamente", + "quedito", + "quejumbrosamente", + "quietamente", + "quimicamente", + "rabiosamente", + "racionalmente", + "radicalmente", + "rapidamente", + "raramente", + "rasamente", + "raudamente", + "recio", + "reconocidamente", + "regularmente", + "repentinamente", + "repetitivamente", + "reportadamente", + "restfully", + "rigurosamente", + "ritualmente", + "robustamente", + "románticamente", + "rudamente", + "sabrosamente", + "saludablemente", + "salvajemente", + "sanamente", + "sangrientamente", + "secretatemente", + "santamente", + "secamente", + "secularmente", + "separadamente", + "seriamente", + "sensiblemente", + "servicialmente", + "sexualmente", + "servicialmente", + "sigilosamente", + "silenciosamente", + "significativamnete", + "simétricamente", + "simultáneamente", + "suavemente", + "solemnemente", + "solidamente", + "sinceramente", + "socialmente", + "solamente", + "solo", + "sucesivamente", + "suculentamente", + "substancialmnete", + "sorpresivamente", + "sutilmente", + "sospechozamente", + "súbitamente", + "sónicamente", + "sólidamente", + "teóricamente", + "tacañamente", + "terriblemente", + "temerariamente", + "temerosamente", + "tenebrosamente", + "tenuemente", + "tercamente", + "tiernamente", + "tiritando", + "triunfalmente", + "tiránicamente", + "tontamente", + "unicamente", + "unilateralmente", + "urgente", + "unísonamente", + "uniformemente", + "unánimamente", + "urgentemente", + "urgentisimamente", + "valerosamente", + "valiosamente", + "valorativamente", + "vanamente", + "vanidosamente", + "varonilmente", + "velozmente", + "venenosamente", + "venialmente", + "venerablemente", + "verbosamente", + "verdaderamente", + "vergonzosamente", + "verosímilmente", + "vertiginosamente", + "viciosamente", + "victoriosamente", + "vigilantemente", + "vigorosamente", + "villanamente", + "virilmente", + "virtuosamente", + "violentamente", + "visualmente", + "voluntariamente", + "ágilmente", + "ásperamente", +}); + +const auto esARConjunctions = std::to_array({ + "y", "que", "ni", "e", "pero", "mas", "aunque", "siquiera", "o","porque", "como", "si", "aunque", + "sino", "u", "ahora", "sea", "bien", "ya", "cerca", "lejos", "este", "aquel", "pues", + "asi", "luego", "tan", "conque", "para", "porque", "cuando", ",mientras", + "antes", "apenas", "hasta", "dado", "puesto que", "igual que", "menos que", "asi como", + "donde", "apenas", "que", "si", "cual", "mientras", "quien", "donde", "cuyo", "porque", "todavía" +}); +const auto esARInterjections = std::to_array({ + "che", "oh", "vaaamos", "blah", "boo", "whoa", "yowza", "huzzah", "boohoo", "fooey", "geez", "pfft", + "ew", "ah", "yum", "brr", "hm", "siii", "aha", "woot", "drat", "gah", "meh", "psst", + "aw", "ugh", "yirar", "eek", "gee", "bah", "gadzooks", "duh", "ha", "mmm", "ouch", "phew", + "ack", "uhhuh", "gosh", "hmph", "pish", "naaa", "er", "ick", "oof", "um", +}); + +const auto esARNouns = std::to_array({ +"huelgas", +"interruptor", +"apostamiento", +"asperezas", +"abacora", +"melones", +"herejía", +"pavimento", +"secular", +"panzofobia", +"pescateras", +"seriedad", +"trementinas", +"esquiafobia", +"cubrenuca", +"zarahuata", +"jeremías", +"porrista", +"listas", +"maruga", +"sábana", +"calorro", +"palomilla", +"semitismo", +"tricromacia", +"eructo", +"interesente", +"asequí", +"fuente", +"buiatría", +"periferia", +"albellón", +"bioquímica", +"pampirolada", +"perogrullada", +"calimba", +"aranzada", +"huracán", +"epilepsia", +"ralentíes", +"esfegsofobia", +"lucerna", +"presentación", +"tereré", +"auris", +"mordicación", +"cono", +"abollado", +"anglosajón", +"desmentido", +"casal", +"picante", +"pringá", +"thriller", +"uro", +"minio", +"ciudadanía", +"recepción", +"manchú", +"oboe", +"remolcador de altura", +"saltabanco", +"romadizo", +"locativo", +"varal", +"mateada", +"vivaque", +"mansedad", +"colmenares", +"distimia", +"flautín", +"tarascón", +"depresión", +"traspaleo", +"cisterna", +"réferi", +"delitescencia", +"intervalo", +"ténder", +"filmoteca", +"merecumbé", +"futuro", +"yakuza", +"fusión", +"mexicanofobia", +"legatarios", +"ara", +"cumbreras", +"desenconamiento", +"portugués", +"ñoñería", +"conferencias", +"campanario", +"fogosidades", +"chamorra", +"alaria", +"bifosfato", +"sapucai", +"berilio", +"enrás", +"tejolote", +"transecto", +"termoclastia", +"impersonalidad", +"torrezno", +"belladona", +"aterosclerosis", +"cañaveral", +"autonomía", +"pensadores", +"pleurodinia", +"limnofobia", +"aerouretroscopia", +"sacudones", +"totoposte", +"espicanardo", +"carotenoide", +"anaqueles", +"napelo", +"migajas", +"veneno", +"termofobia", +"astenofobia", +"bastaje", +"melí", +"tramway", +"hado", +"nacrita", +"utilidades", +"LSD", +"pastel", +"bullerengue", +"alcachofazo", +"despolitización", +"escritora", +"tape", +"cromatofobia", +"virtudes", +"neumonías", +"manlieva", +"palestra", +"filatelia", +"crisneja", +"adviento", +"cantar", +"cagazo", +"farándula", +"amasado", +"bibliografía", +"ibicenco", +"esvástica", +"escalpelos", +"carborán", +"eternidad", +"festividad", +"anuario", +"servicial", +"gladiolo", +"globito", +"volantinero", +"haplopatía", +"azoemia", +"biruji", +"rescate", +"tragasable", +"reconocimientos", +"slipmat", +"caricia", +"alumbrera", +"lexiarca", +"plancha", +"numela", +"darvinismo", +"humildad", +"mate", +"perpendículo", +"conticinio", +"sandez", +"quitanieves", +"mayordombre", +"corotos", +"descasamiento", +"germano", +"invernáculo", +"modestia", +"manguera", +"colapiz", +"sexo", +"nietastro", +"racismo", +"detritus", +"cuchara", +"embrión", +"cierzo", +"ensordecimiento", +"destructor", +"tuétano", +"embajadores", +"despesa", +"formato", +"hoyanca", +"neerlandés", +"escaques", +"bufé", +"tumefacción", +"radiología", +"acoses", +"oquedades", +"ampelología", +"zorrinos", +"galavardo", +"tejeringo", +"molinete", +"elutriación", +"interfase", +"cimarra", +"mandarinas", +"guipuzcoano", +"mustaco", +"mambí", +"abatimiento", +"neurosis", +"higiene", +"hacejero", +"funcional", +"hidrólisis", +"pescuezo", +"reafirmación", +"cototo", +"abreviados", +"proporciones", +"manipulación", +"buriel", +"abrazadera", +"abarraganamiento", +"chamullo", +"farol", +"grifo", +"fotocopiado", +"precio", +"pelitrique", +"et", +"jira", +"requesonero", +"zeugma", +"cuyé", +"huipampa", +"juego", +"bostezo", +"sintaxis", +"banco", +"luxómetro", +"legatario", +"moa", +"barrio", +"noche", +"traquidos", +"drunk", +"guanaco", +"aval", +"creedor", +"endeblez", +"indezuela", +"casilla", +"tráfago", +"guayaba", +"anacronismo", +"barahúnda", +"chocolaterías", +"paintball", +"ciruja", +"balurdo", +"buril", +"ño", +"hospedaje", +"zodíaco", +"leopardo", +"creendero", +"asteroide", +"radiografía", +"sufición", +"uranio", +"cáustica", +"electora", +"crímenes", +"etilenglicol", +"restricción", +"énfasis", +"abrojo", +"limbo", +"zureo", +"apá", +"retrovendición", +"sollastría", +"rebullicios", +"constitución", +"trapicheo", +"pirobolaria", +"déficit", +"hieles", +"claustrofilia", +"envenenamiento", +"raticida", +"colorante", +"piñas", +"colombianos", +"quincallero", +"etnia", +"diquefobia", +"guarida", +"chocha", +"virrey", +"decibel", +"visados", +"ROLAP", +"ideofobia", +"carambolo", +"ayuntamiento", +"noventa", +"acebal", +"mitología", +"ñanque", +"tucán", +"cuchuco", +"aguaite", +"lagarta", +"diarrhea", +"herpes", +"número", +"libretes", +"ñau", +"campechana", +"recuperador", +"autofobias", +"wiki-wiki", +"abadabina", +"añiles", +"juradería", +"ñocorpi", +"lagarteras", +"caballa", +"maquila", +"sinclinal", +"nun", +"carbonería", +"leprafobia", +"deriva", +"lealtad", +"mayordombría", +"hijastro", +"héroe", +"códec", +"bricolajero", +"morondanga", +"desnaturalización", +"malvado", +"futurología", +"scrum", +"puñales", +"carteta", +"pagarca", +"sociedades", +"signo", +"ático", +"impermeabilización", +"entrenadoras", +"cien", +"cospel", +"tarida", +"publicano", +"tarro", +"aparadura", +"abrojillo", +"colombiche", +"acérvulo", +"pecio", +"deambulatorio", +"cochaguasca", +"alberca", +"andamio", +"táctica", +"irreligión", +"desahorro", +"estocador", +"hacienda", +"gata", +"baboso", +"justificación", +"tuyango", +"ñique", +"caribeño", +"arrepentimiento", +"epistemología", +"servomecanismo", +"greda", +"alfarje", +"locuacidad", +"vatu", +"almucantarad", +"tole", +"bergantín", +"críticas", +"monosabio", +"gigantea", +"juzgado", +"potomanía", +"establishment", +"perfiladura", +"sueco", +"bandidismo", +"pelo", +"abrojal", +"división", +"att", +"isopterofobia", +"tirria", +"clamoreadas", +"credo", +"hemisferio", +"almorta", +"ligofobia", +"etnógrafa", +"tontería", +"paciencia", +"doncel", +"sodio", +"talego", +"almendral", +"mentirijilla", +"veratrina", +"superávit", +"ababol", +"albor", +"trombina", +"saque", +"despersonalización", +"espira", +"eritrofobia", +"culturización", +"especie", +"antroponimia", +"supinación", +"pogromo", +"prión", +"corbachada", +"wapití", +"bongó", +"cuchamper", +"papazgo", +"rodezno", +"pajero", +"arponero", +"horografía", +"sarna", +"fronemofobia", +"contrabajo", +"haptefobia", +"conífera", +"bemba", +"aeróstato", +"barulo", +"alasia", +"genealogía", +"pirca", +"fábrica", +"artesón", +"escogimiento", +"ganado", +"ligazón", +"vandalismo", +"mezzanina", +"abanicamiento", +"ciborio", +"meritocracias", +"agüero", +"abejarrón", +"bebedero", +"biotopo", +"peluquería", +"desmoronamiento", +"sutiro", +"astrocito", +"mioma", +"huesamenta", +"paracaídas", +"pequén", +"tartajofemia", +"cáscara", +"reina", +"cierna", +"ñecla", +"iraní", +"metaplasmos", +"casación", +"individuo", +"ouguiya", +"sardo", +"echa", +"botín", +"pirofobia", +"interludio", +"hueñi", +"lapa", +"abono", +"espiritual", +"zapeos", +"regolito", +"baldones", +"biosfera", +"galería abierta", +"jaula", +"desemejanzas", +"güirros", +"amidá", +"celibato", +"funeral", +"visión", +"comercialidades", +"braceada", +"traición", +"intervención", +"cuchi", +"achiotal", +"escalímetro", +"chingazo", +"enorgullecimiento", +"croquet", +"pirotín", +"prefacio", +"cayuco", +"tlacuache", +"criamiento", +"adnominaciones", +"ligamentos", +"resbalosa", +"Diada", +"patrones", +"gasolinería", +"farmacocinética", +"crisol", +"alexitimia", +"terrorismo", +"conjuro", +"enchilada", +"marchamero", +"barba", +"habilitada", +"maicillo", +"chupamieles", +"tamarugal", +"asno", +"cirro", +"flictena", +"yego", +"necesidades", +"afirmación", +"excitón", +"magnitud límite", +"hijo natural", +"neofarmacofobia", +"bierzo", +"cameo", +"sepelio", +"librazos", +"cepillo", +"fecundación", +"singla", +"bordonería", +"lamentábile", +"target", +"fabriquero", +"cantimplora", +"lunares", +"tranquilitita", +"dominó", +"sigmatismo", +"tonfa", +"olor", +"peña", +"verdeos", +"pastinaca", +"romanche", +"púlpito", +"dintel", +"acarofobias", +"centros", +"ferretera", +"procesador", +"parmesano", +"pozos", +"vencida", +"traile", +"garúa", +"merindad", +"casalera", +"saltación", +"refriega", +"payador", +"carabela", +"elevador", +"acolitados", +"afeitamiento", +"cenicienta", +"teniente", +"concesiones", +"sente", +"orgía", +"gárgol", +"cita", +"fagocitación", +"recobración", +"hepatocito", +"esteticién", +"chocolatadas", +"shopping", +"señalética", +"espinillo", +"telegrama", +"palazo", +"legaña", +"bao", +"felicidades", +"citocina", +"gris", +"refugios", +"complicidad", +"paridad", +"abreviaduría", +"ababúnculo", +"esquila", +"ñumiñe", +"callos", +"motosierra", +"zarpada", +"kaqchikel", +"xerófito", +"cuajaní", +"cambista", +"sustitución", +"creativo", +"gaélico", +"ñora", +"cajera", +"braceado", +"profundidad", +"presteza", +"prepósito", +"cárcava", +"motoquero", +"michi", +"loti", +"sauce", +"quiosco", +"factor", +"desamparamiento", +"tabicón", +"intersticio", +"nueza", +"muchachería", +"traedura", +"inocencia", +"guatoco", +"remake", +"ura", +"oportunidad", +"alectorofobias", +"afijo", +"cavos", +"karata", +"poroto de olor", +"agalla", +"capibara", +"fruslería", +"yergato", +"señorita", +"Yumká", +"halecret", +"bordadura", +"golf", +"fotocopias", +"neumatifobia", +"carcinogénesis", +"conjuntivitis", +"ayudantía", +"cuelmo", +"teletipo", +"casador", +"formación", +"curiepuntura", +"entibación", +"cupulhue", +"colonproctología", +"apaleamiento", +"tacuapí", +"victorias", +"microbiota", +"polinesia", +"cale", +"suspenso", +"hastío", +"refrán", +"bauda", +"coligadura", +"nácar", +"doctor", +"molde", +"cancha", +"carda", +"asfixia", +"haz", +"sextante", +"jogging", +"concesión", +"astucia", +"mielatelia", +"palomitas", +"hogar", +"arán", +"quincha", +"chalupa", +"rispidez", +"chuj", +"jabalina", +"nelofobia", +"acetilcolina", +"película", +"chiserá", +"jarciería", +"vale", +"favoritismo", +"olona", +"molejón", +"aceleramiento", +"ave", +"yare", +"psicólogo", +"poliuria", +"argaviesos", +"lexicólogos", +"valle", +"machigüe", +"ayudadora", +"pruno", +"tira", +"abotonamiento", +"mosqueta", +"lechuza", +"países", +"avot", +"aviador", +"parabeno", +"teletón", +"horas", +"copista", +"invernadero", +"alazán", +"candidato", +"abaleador", +"menú", +"podsolización", +"guardaplatina", +"escoptofobia", +"roseta", +"empalago", +"enjutez", +"fragmentarismo", +"cabezada", +"yorgo", +"bocina", +"descreimiento", +"afiladeras", +"sexofobia", +"hipster", +"accésit", +"ginefobia", +"camembert", +"aeromancías", +"cráneo", +"tenente", +"desinterés", +"llamante", +"mucle", +"abnegantismo", +"aislamiento", +"kasi", +"pierna", +"aljófar", +"presidiario", +"regañadas", +"morronga", +"desenhadamiento", +"apartados", +"pasteca", +"sol", +"estero", +"limpiezas", +"sabalero", +"perlesía", +"octavilla", +"piolet", +"amarraje", +"reducidor", +"djena", +"volován", +"malicia", +"portahelicópteros", +"racionamiento", +"ambulancia", +"poza", +"lubricación", +"oniomanía", +"puntería", +"desarraigo", +"espeleología", +"matrícula", +"ponto", +"estufilla", +"huachalomo", +"FQDN", +"ñangara", +"coligamiento", +"caudectomía", +"colagua", +"aradores", +"examinante", +"gablete", +"disploidia", +"pistilodio", +"esquilfe", +"canuto", +"geniazo", +"acantocéfalo", +"sufeta", +"ñisñil", +"aduja", +"tafiofobia", +"rupicabra", +"desperdicio", +"mami", +"bagallero", +"asíndeton", +"sabañón", +"camarín", +"babosada", +"clinómetro", +"insolación", +"chanchullo", +"preterición", +"tetamen", +"birome", +"puntillos", +"filoxera", +"rango", +"caqui", +"esgrima", +"especificación", +"abrazador", +"van", +"sexquialtera", +"talante", +"asociación", +"flan", +"página", +"idioma", +"sundanés", +"tabúes", +"greba", +"supercianato", +"servidumbre", +"cobijo", +"salamanca", +"arriostramiento", +"zeca", +"sentina", +"deje", +"diabetofobia", +"derrocamiento", +"voz", +"cabarulo", +"lexicógrafas", +"universidad", +"punto", +"placa córnea", +"go", +"automatonofobia", +"cebolleta", +"postmodernismos", +"quima", +"hirsutofilia", +"torero", +"útero", +"takfirismo", +"alacalufe", +"muñoncito", +"metonimia", +"osfresiofobia", +"casa de fieras", +"tarraja", +"guámparo", +"plúteo", +"perianto", +"coteros", +"sinapsis", +"morcilla", +"camarote", +"manguardia", +"ruco", +"medio", +"rechifladora", +"cacharros", +"manutención", +"bustamita", +"aquel", +"napolitano", +"ununhexio", +"balboa", +"esclavo", +"adhesivo", +"justicia", +"nistagmo", +"completo", +"hardware", +"escaño", +"laminación", +"tesela", +"ixtle", +"huida", +"imbecilidad", +"aliteración", +"abastecedor", +"multicasco", +"porches", +"embarcación", +"batey", +"expectativa", +"hitita", +"yetapá acollarado", +"diseñadoras", +"pulsimetría", +"mojadura", +"quiquille", +"tillado", +"chuchería", +"pelma", +"gualeta", +"av", +"ilusión", +"ganso", +"mesosoma", +"tertel", +"psiquiatra", +"maltratamientos", +"pithrel", +"ciervo campero", +"marrubio", +"musculosa", +"moho", +"arzobispado", +"pistilo", +"criadero", +"divinación", +"electreto", +"infraglotis", +"guaba", +"velacho", +"gari", +"despegue", +"riesgo", +"dehesa", +"papelería", +"esparto", +"bochorno", +"cambiante", +"toma y daca", +"espinal", +"guardacabo", +"capiango", +"navegación", +"chinguiña", +"secuenciador", +"actitudes", +"armígero", +"contrición", +"chango", +"acuarela", +"salto", +"terrapleno", +"arteritis", +"opérculo", +"profetizador", +"cupo", +"vínculo", +"karki-mesrac", +"ida", +"nanotecnología", +"programación", +"plan", +"teofanía", +"guitarrista", +"diadema", +"gestación", +"igualas", +"apartheid", +"arricaje", +"yesero", +"abanec", +"rostros", +"huilte", +"chévere", +"psicóloga", +"accesión", +"heladera", +"aeromancias", +"título", +"quincho", +"ahogados", +"alodoxafobia", +"cava", +"antisepsia", +"hacha", +"nocturia", +"aceitada", +"surifobia", +"ampliaciones", +"ayote", +"crujiente", +"hombre-lobo", +"antepospretérito", +"azimuts", +"pedernales", +"acuario", +"plaga", +"tacha", +"clo", +"revés", +"refocilación", +"ferroviaria", +"cabriola", +"excavación", +"meteoro", +"batidor", +"aceitunero", +"romallo", +"cross", +"zato", +"faena", +"atole", +"indicativo", +"mesuramiento", +"lusaciano", +"anginofobia", +"edición", +"leasing", +"cuchillo", +"recurso natural", +"garrón", +"tascos", +"quimono", +"Araucanía", +"cal", +"pararrayos", +"achujcha", +"moranza", +"cansancio", +"agriotimia", +"gangocho", +"proyecto", +"acroparestesia", +"quelvo", +"shin", +"litreado", +"chascarrillo", +"acrostolio", +"bancocracia", +"igualamientos", +"diáfisis", +"dignidades", +"espantapájaros", +"guachi", +"lobotomía", +"moquete", +"abatidura", +"venado", +"efigie", +"chándal", +"dieciochavo", +"espumadera", +"pasadera", +"cronología", +"anzuelo", +"viruta", +"ofiolatría", +"caldo", +"monetario", +"varicela", +"desmoche", +"letrina", +"chupón", +"geofagia", +"surtimiento", +"bagdadí", +"chaveta", +"reconocimiento", +"acromio", +"alergología", +"insolente", +"chocolatina", +"punticos", +"tábano", +"sostenedora", +"traqueteo", +"enterocolecistotomía", +"abuelo", +"serie", +"cosa", +"veros", +"amorá", +"modernización", +"corcel", +"zorrino", +"clavicordio", +"hormigas", +"apéndice", +"evangelio", +"vida", +"acuidades", +"menstruación", +"reciclamiento", +"chaparro", +"ludo", +"autobús", +"desentumecimiento", +"zurra", +"logrera", +"tetradimensional", +"tiranosaurio", +"temática", +"slip", +"escabio", +"décimo", +"swahili", +"abitaque", +"ventanage", +"espermatocistectomía", +"sustentación", +"adelantamiento", +"juramentado", +"suversión", +"intermitente", +"borbor", +"fundición", +"vascuence", +"repollo", +"pozolana", +"monserga", +"albudeca", +"estiramiento", +"protección", +"dieciseisavo", +"chaleco", +"imbunchismo", +"contrariedad", +"malayalam", +"despezo", +"campestres", +"groenlandés", +"autoinjerto", +"fuagrás", +"endrina", +"nomeolvides", +"campeón", +"anexo", +"vista", +"chibcha", +"abacería", +"guardingo", +"sabuco", +"vulcanología", +"querida", +"carrasquilla", +"bérbero", +"consumación", +"hebdomadario", +"chacolí", +"centinela", +"gárgola", +"biseles", +"deposición", +"connotaciones", +"flebitis", +"edad", +"reposadero", +"vaca", +"fandango", +"guachinche", +"envía", +"ajedrez", +"cóctel", +"habla", +"lesbiana", +"hogos", +"chumbimba", +"coagulación", +"espinazos", +"sincronismo", +"ajustera", +"enseñoramiento", +"calavera", +"epílogo", +"racima", +"actividad", +"lucro", +"chicharrera", +"morada", +"colectividad", +"buses", +"magrura", +"masoquismo", +"rehundido", +"jirafa", +"maúllo", +"cicerone", +"paganales", +"videoclip", +"jueputa", +"reconstrucción", +"castra", +"desimantación", +"nieta", +"psicópata", +"racuana", +"liendrera", +"barjuleta", +"linga", +"mur", +"predador", +"FLOPS", +"aula", +"krokodil", +"desfonologización", +"agroquímico", +"oseltamivir", +"parates", +"cortisol", +"elusión", +"chevrón", +"brebajes", +"cherqués", +"oboísta", +"pompi", +"kilo", +"patrono", +"polígrafo", +"chompa", +"negativa", +"magíster", +"casta", +"podsol", +"fofa", +"vorágine", +"inclusionista", +"incertidumbre", +"ardor", +"mote", +"cimera", +"príncipe", +"poniente", +"pole", +"arriendo", +"trapezoide", +"mutualista", +"agirofobias", +"brochure", +"oposición", +"agnosia", +"camaronero", +"exoesqueleto", +"ajustamiento", +"galleta", +"diccionario", +"gorrión", +"cántaro", +"magma", +"apotegma", +"literatos", +"castidades", +"cinestesia", +"morapio", +"jotero", +"flamenquín", +"topógrafos", +"pututo", +"portadilla", +"amicofobia", +"neumoconiosis", +"esquiador", +"acrónfalo", +"licero", +"zafacón", +"tornavoz", +"puentismo", +"egoteca", +"hiragana", +"babador", +"remolacha", +"superadora", +"felino", +"reduplicación", +"mieses", +"ajimez", +"hule", +"coplón", +"pooja", +"zares", +"molisomofobia", +"nueve", +"poderes", +"proletariado", +"encéfalo", +"cellisca", +"trincaporta", +"ahorcaperro", +"uno", +"ictiofauna", +"blondín", +"apreciación", +"chatni", +"tuberculosis", +"pincelera", +"oligopolio", +"humanismo", +"dinoflagelado", +"salteña", +"zanca", +"clima", +"cague", +"gurí", +"precaución", +"cotiledón", +"intrepideces", +"palo", +"pantalón", +"necisias", +"econometría", +"zarrapastros", +"chacha", +"enternecimiento", +"esquite", +"marrazo", +"mates", +"huichichío", +"acerería", +"escritor", +"esquenobatea", +"weber", +"ministra", +"picapuerco", +"intuito", +"acelerón", +"pintas", +"violeta", +"compaginación", +"cusita", +"inventor", +"susto", +"baba", +"apedreamiento", +"omnipresencia", +"bustrófedon", +"ñacurutú", +"honestidades", +"dishabiliofobia", +"sortija", +"nocturno", +"amigaza", +"unidad", +"pascuense", +"neofobia", +"desencantamiento", +"invocación", +"pasioncilla", +"ortoclasa", +"conopeo", +"soja", +"quimofobia", +"almadrabas", +"recta", +"globinómetro", +"kaovana", +"complacimiento", +"acercanza", +"cañiza", +"malaya", +"tincazo", +"catapultario", +"tana", +"levas", +"coulrofobia", +"morbilidad", +"turcomano", +"pleomorfismo", +"letraduría", +"morcillas", +"sinfónicas", +"farmacia", +"moneda", +"vigueta", +"radical", +"serpollo", +"ignavia", +"botellín", +"lamigueiro", +"perineumonía", +"suástica", +"jubonero", +"sutilidad", +"manita", +"vulcanismo", +"clicking", +"franqueo", +"castidad", +"alfaquí", +"payo", +"crayón", +"sentada", +"senior", +"metalla", +"autocríticas", +"cabilio", +"abigero", +"salicornia", +"paranoia", +"catafalco", +"Prehistoria", +"dediles", +"bullas", +"leva", +"bifurcación", +"retorcedura", +"zafiro", +"regaderas", +"aguardamiento", +"sales", +"fabada", +"teorías", +"piorno", +"aligustre", +"herreño", +"encostradura", +"nakfa", +"marrano", +"fitocromo", +"bibliófila", +"gritas", +"grafofobia", +"bordají", +"leberwurst", +"asmamento", +"bravera", +"mara", +"librete", +"sonomática", +"bailarín", +"aracnofobias", +"trímero", +"elul", +"escarpadura", +"viril", +"cachifa", +"abaptistas", +"pitido", +"rapto", +"dramatización", +"cuchareta", +"desinencia", +"resentimiento", +"rufo", +"siderofobia", +"publicidad", +"valuaciones", +"sosera", +"barcarola", +"aristón", +"picador", +"angiogénesis", +"ataúd", +"autobombo", +"meningitofobia", +"partícula", +"brindis", +"japonés", +"novocaína", +"antropomorfia", +"disgrafía", +"abolicionismo", +"glicemia", +"despeñamiento", +"baja", +"ateneo", +"esnon", +"kan-ja", +"abonamiento", +"arconte", +"colde", +"cardiólogo", +"parachoques", +"dutchfobia", +"caoba", +"hipertexto", +"deface", +"tempestades", +"concuño", +"huilquem", +"virus", +"garbanzo", +"ser", +"fonocaptores", +"plazas", +"mirlo", +"septeto", +"melanita", +"curador", +"esquina", +"arabescos", +"aita", +"rasgadas", +"desnivel", +"apendicitis", +"homínido", +"herpetología", +"usureras", +"tybi", +"cortesía", +"desviaciones", +"centolla", +"gineceo", +"ajís", +"galicinio", +"joyero", +"paraguas", +"metano", +"corladura", +"pellejo", +"broncha", +"abanzamientos", +"lleira", +"manada", +"rampón", +"nata", +"cojín", +"pirólisis", +"marcapasos", +"mentones", +"evasión", +"coulomb", +"sericina", +"añil", +"talón", +"extracciones", +"ingrediente", +"pinatra", +"pinrel", +"ablefaria", +"hipocondrio", +"estuquería", +"censura", +"candidatura", +"defecación", +"rechazadora", +"dentina", +"lipiria", +"pueblo", +"agretai", +"peruanidad", +"vituperio", +"gobernadora", +"bujería", +"gualetazo", +"forcejeo", +"fago", +"papáver", +"priores", +"polla", +"estuches", +"destrucción", +"lustrina", +"aguarrás", +"traqueteos", +"réplica", +"cuca", +"epicanto", +"toni", +"fabricante", +"búcaro", +"fusion splicer", +"chiflón", +"seguridad", +"boicot", +"muguete", +"albañilerías", +"kantharus", +"hryvnia", +"cochino", +"hipofiliación", +"elucubración", +"maíllo", +"almendrón", +"apostadora", +"mixobacteria", +"ambulanciero", +"sacudidores", +"yámana", +"eutropelia", +"puntillas", +"rejuela", +"pario", +"mazacaya", +"medida", +"nominalización", +"buitra", +"ocasión", +"castúo", +"saloma", +"adnominación", +"zopitas", +"vapores", +"recinto", +"aurorafobias", +"nudrimento", +"ventaja", +"pangrama", +"certamen", +"sentir", +"desmovilización", +"galilea", +"copón", +"fractal", +"ucase", +"conmutador", +"suncho", +"meningitis", +"pasadizo", +"pucha", +"pandeísta", +"revaluación", +"postergación", +"huaco", +"arrenofobia", +"flota", +"bicho de luz", +"biólogos", +"abozadura", +"enquistamiento", +"villorrio", +"haida", +"digüeñe", +"destornillador", +"desfallecimiento", +"tremofobia", +"usucapión", +"zapato", +"pie", +"levirato", +"mamúa", +"locución", +"enfriadera", +"bebe", +"latizos", +"cachemir", +"aburrimiento", +"cacografía", +"magnetar", +"puzolana", +"rétor", +"escarpa", +"flautines", +"extinguidor", +"emparedamiento", +"vivienda", +"croqueo", +"iceberg", +"remiel", +"sacramento", +"alongamiento", +"ageusia", +"ornitorrinco", +"microscopio cuántico", +"valeriana", +"cazadora", +"abadiados", +"geodesía", +"cirurjano", +"genial", +"arroba", +"agarrotamiento", +"psicopolítica", +"vidente", +"esperación", +"camello", +"resinación", +"conocimiento", +"twi", +"imperfección", +"rajeputo", +"medranza", +"clan", +"taclobo", +"calderería", +"fisiculturismos", +"trovadores", +"zodiac", +"alopatía", +"aficiones", +"bruto", +"tramoya", +"aldabada", +"gobernáculo", +"proctólogo", +"promulgación", +"pederastia", +"ripofobia", +"maracuyá", +"venganza", +"amigas", +"rublo", +"incubación", +"acilo", +"fuentes", +"zabras", +"fantoche", +"ladrillo", +"palatalización", +"capo", +"tripanosoma", +"abruno", +"onirología", +"duodeno", +"chingolo", +"guatazo", +"babeles", +"aillaxa", +"abriles", +"exponente", +"argema", +"desnudo", +"vigencia", +"encendimiento", +"empelechador", +"charnego", +"campaña", +"legislación", +"ámbitos", +"pijama", +"mesotórax", +"galeno", +"neurolingüística", +"desodorante", +"salvajería", +"señal", +"trastornamiento", +"pastosidad", +"antena", +"eneágono", +"reggaeton", +"paronomasias", +"anhídrido acético", +"rebusco", +"simultaneidad", +"kilos", +"endocrinología", +"nigromante", +"calle", +"epinastia", +"carcelajes", +"pompas", +"renglones", +"aravá", +"hijuelo", +"cuy", +"hiperlexia", +"epiglotis", +"caráu", +"transportamiento", +"palada", +"tarjetera", +"gayón", +"rocín", +"iconología", +"abundancia", +"mirra", +"yezgo", +"cantares", +"descensión", +"gema", +"anteportada", +"adaptación", +"foco", +"encefalitis", +"silepsis", +"sollado", +"cucharro", +"francio", +"aprendizaje", +"acogidas", +"náufragos", +"cija", +"chechén", +"cliché", +"arrebolada", +"chope", +"ocasos", +"omnipotencia", +"encrespadura", +"cataglotismo", +"rozada", +"parturifobia", +"humita", +"ruin", +"asistenta", +"apacibilidad", +"rocío", +"Wi-Fi", +"pindongueo", +"homonimia", +"cáfila", +"maniafobia", +"ornitóscopo", +"vilo", +"catoptrofobia", +"yana", +"arribista", +"interacción", +"domatofobia", +"Montehermoso", +"traquetero", +"preferencias", +"paraplejía", +"gorro", +"gerascofobia", +"puño", +"flueco", +"americanofobias", +"coana", +"ligamen", +"estatuomanía", +"liberdad", +"apariencia", +"sismo", +"perfeccionamiento", +"matarratas", +"cruores", +"carga", +"prójimo", +"bajoca", +"solapa", +"nema", +"kadish", +"ñiquiñaque", +"flora", +"bidet", +"dispositorio", +"heráldica", +"oscilación", +"bululú", +"caá", +"fonotecas", +"glotónimo", +"cañado", +"giroscopio", +"plástico", +"reporte", +"pieza", +"adivinanza", +"cerrojos", +"lapidificaciones", +"putazo", +"ranidafobia", +"desdicha", +"chichote", +"fula", +"rey", +"cuando", +"colegial", +"desfamamiento", +"parca", +"unidades", +"chinchorro", +"amicicia", +"sexomanía", +"avestruz", +"zapping", +"befo", +"faifena", +"alcalescencia", +"trepopnea", +"sacudón", +"lúceres", +"ginecofobia", +"consejos", +"cuaba", +"lana", +"carúncula", +"trapelacucha", +"hidra", +"picadil", +"destajamientos", +"pantofobia", +"aslilla", +"bruma", +"darico", +"remanso", +"ataxia", +"salamandra", +"realimentación", +"escultores", +"maldición", +"almuerzo", +"huarache", +"respetabilidad", +"filiales", +"noción", +"preproducciones", +"decalustro", +"mesa", +"parampahue", +"pulverización", +"ofensa", +"Judith", +"robledal", +"arcilla", +"checheno", +"escita", +"fleco", +"aerobic", +"abnegaciones", +"paleozoología", +"desayuno", +"natividades", +"vestifobia", +"férula", +"alíscafo", +"hipertimesia", +"humectación", +"contentor", +"demostranzas", +"camareros", +"tibieza", +"subte", +"selenógrafa", +"alguero", +"pistolete", +"macrobloque", +"carterjo", +"sabalaje", +"ginebrada", +"magacines", +"guasca", +"chamo", +"sotahilera", +"irrigación", +"mensaje", +"tónicos", +"aguayo", +"ventisca", +"soborno", +"abrotación", +"batahola", +"rumen", +"gargal", +"katiusha", +"cruzamen", +"kawésqar", +"coarticulación", +"escalaborne", +"entretejedura", +"catafilo", +"batiscafo", +"samovar", +"superabundancia", +"aguardiente", +"tosco", +"regatón", +"astronomia", +"pingopingo", +"ocofobia", +"relajamiento", +"puntales", +"chaura", +"elección", +"almojerifazgos", +"zum", +"olmo de montaña", +"repetición", +"citoplasma", +"mayordomía", +"tubérculo", +"tumor", +"biasportiesta", +"paralenguaje", +"abridero", +"resfriado", +"bordón", +"afilados", +"Leguminosas", +"populación", +"priapismo", +"vendimiario", +"dislocadura", +"imprecación", +"habilitación", +"perda", +"biezgo", +"excerta", +"secuaz", +"ociosidad", +"acetificación", +"escorbuto", +"filosofastro", +"dilaceración", +"retractilidad", +"taf", +"blancura", +"muyáhid", +"hojarasca", +"compañía", +"ultílogo", +"ajusticiamiento", +"resplandor", +"mesosfera", +"revoleo", +"socialización", +"urbanización", +"carriles", +"empelote", +"matagallo", +"hurí", +"aquelarre", +"terreno", +"cura", +"contentamiento", +"alquimia", +"apotema", +"peñascales", +"turmalina", +"criada", +"tejo", +"esmero", +"afiladera", +"inversiones", +"silicona", +"autofobia", +"españolas", +"pirobos", +"abacómite", +"basterna", +"serenidad", +"quilantar", +"zoilo", +"bugzilla", +"postmodernidad", +"astrógrafo", +"cátulo", +"quilate", +"cardióloga", +"abano", +"rembolso", +"chococol", +"biopotencial", +"psiquiatría", +"coro", +"dobra", +"taxismo", +"bener", +"abraxas", +"abrochamiento", +"descodificación", +"erre", +"peltre", +"maniobra", +"modo", +"camuesa", +"fulía", +"ginofobia", +"reestructuración", +"dolicódromo", +"pilatero", +"acrosoma", +"colliguay", +"xabalón", +"polizón", +"viola", +"cuchillo mangorrero", +"motefobia", +"recriminación", +"monitoreo", +"masajista", +"desfrenamiento", +"nobelio", +"brujo", +"tamuja", +"granduras", +"totalidad", +"solidaridad", +"caracoles", +"montaje", +"pairo", +"obligaciones", +"bufón", +"TeV", +"nulo", +"jarro", +"sinceridad", +"música", +"chipá guazú", +"mesenterio", +"caídas", +"Okinawa", +"metabolismo", +"palabra", +"castilla", +"peculiaridades", +"lábaro", +"ceremonia", +"sayo", +"gallina ciega", +"peal", +"NEMA", +"ergotismos", +"alogamiento", +"abencerraje", +"ingle", +"flirteos", +"munificencia", +"desalinización", +"ante", +"pómulo", +"sushi", +"albura", +"vulgaridad", +"mimosa", +"miscelánea", +"jubé", +"lémures", +"acahual", +"mont", +"despechugadura", +"nalca", +"zambullimiento", +"homosexualidades", +"salude", +"sinadelfo", +"aspiración", +"kalator", +"abalizamientos", +"jerife", +"sinestesia", +"mufla", +"escisiones", +"gratificación", +"hebdómada", +"bombista", +"puerco", +"cultivador", +"colerofobia", +"cenote", +"gremio", +"calculador", +"cometida", +"simio", +"borrega", +"publicación", +"yal", +"eficacias", +"nicaraguanismo", +"eicofobia", +"sorosis", +"ñaña", +"parsimonia", +"vivencia", +"jalbegue", +"lámpsana", +"ligre", +"numerofobia", +"antelación", +"zalamerías", +"igüedo", +"gauza", +"atravesador", +"cruscantismo", +"tirano", +"penique", +"cosmografía", +"esquinencia", +"aluminato", +"chingonería", +"feria", +"antepalco", +"abocardo", +"lideratos", +"presídium", +"nevado", +"galanura", +"tucada", +"suzerano", +"Abadires", +"nacarado", +"rampiñete", +"alelopatía", +"lucífero", +"nosemafobia", +"hematosis", +"afinidad", +"finlandés", +"epiblasto", +"sicología", +"carcinoma", +"florón", +"chunchules", +"registrador", +"huélfago", +"bit", +"anualidad", +"alteraciones", +"dialecto", +"cadalso", +"tonema", +"fils", +"barbulla", +"braserito", +"fardelejo", +"serenos", +"alarguiz", +"variación", +"bocanada", +"refugio", +"gorgorito", +"coitus interruptus", +"pochitoque", +"cuadriyugo", +"tuteador", +"típula", +"prisiones", +"grandilocuencias", +"echacuervos", +"valer", +"conventillo", +"argentometría", +"ralentís", +"porquerón", +"mañío", +"elución", +"empecinamiento", +"sensorio", +"maulera", +"matasanos", +"aerosolgrafía", +"opúsculos", +"parótida", +"catecismo", +"huilliche", +"decreto", +"borda", +"anacoreta", +"hercio", +"corte", +"escálamo", +"ahínco", +"abulagar", +"choro araucano", +"agallón", +"rifle", +"mortadela", +"ilusiones", +"lona", +"conuco", +"endarterectomía", +"semicupio", +"oratoria", +"mojete", +"zoofobia", +"dab", +"inmanencia", +"puntuación", +"autoglotónimo", +"azerí", +"piñonero", +"etano", +"acerola", +"pensadera", +"culero", +"épica", +"andador", +"bulo", +"engrudamiento", +"lojban", +"antilogía", +"desterronamiento", +"pósito", +"ternero", +"veralca", +"entrenamiento", +"especialista", +"majería", +"falacrofobia", +"bicha", +"lechosa", +"papaverina", +"tabla", +"micrón", +"tesoro", +"retortijones", +"balistofobia", +"moreno", +"marlo", +"atabalero", +"electróforo", +"babera", +"ombre", +"botones", +"catatonia", +"díada", +"pincerna", +"zona", +"ajiaco", +"perímetro", +"chisde", +"choreada", +"bifaces", +"dermatosis", +"piragüismo", +"reses", +"transatlántico", +"proclamaciones", +"canela", +"carancho", +"rana", +"apuradero", +"pelota", +"alegrías", +"altivez", +"descartelización", +"linfocito", +"expoliario", +"pignoraciones", +"cuate", +"medicastro", +"polchén", +"aguadoras", +"onironauta", +"redrojo", +"levante", +"reciente", +"veranico", +"alegreto", +"desayuntamiento", +"ribera", +"abastamientos", +"quepis", +"achuela", +"aneuploidía", +"guardarruedas", +"monaguillo", +"pañí", +"calabaza", +"migración", +"cerebro", +"barca", +"absición", +"virtualización", +"comercial", +"secuenciación", +"desquiciamiento", +"recrudecimiento", +"chingue", +"sicomoro", +"matrona", +"puntico", +"cepillo de dientes", +"crítico", +"sobrentendido", +"acechanza", +"nada", +"fe", +"platicefalia", +"antepecho", +"operativo", +"payaseo", +"sajador", +"hálara", +"odinofobia", +"bufet", +"cenotafio", +"topacio del Brasil", +"ultimidad", +"aeropuertos", +"erección", +"anfión", +"arlote", +"abacia", +"achuelas", +"hafefobia", +"peculado", +"marfil", +"lampuga", +"diádoco", +"rajo", +"babeo", +"carpinterito", +"lopas", +"cuidado", +"tonificación", +"comerciante", +"contenedor", +"guardacadena", +"trayecto", +"zabila", +"pudrición", +"valuador", +"pimpón", +"mensajero", +"ceja", +"zarista", +"bañista", +"anónimo", +"morado", +"isba", +"velatón", +"linaje", +"cornúpeto", +"decalaje", +"auto", +"ocajanaicha", +"disnea", +"zaparrazo", +"amencia", +"ureasa", +"braza", +"empino", +"obsidiana", +"alegatos", +"barragán", +"presentes", +"vertibilidad", +"francotirador", +"proyeccionista", +"abacales", +"candombe", +"cobalto", +"enlentecimientos", +"zampeado", +"aangitch", +"guardianato", +"estrongilocentroto", +"disartria", +"caballerato", +"variscita", +"integrador", +"perezosas", +"pavada", +"antibiograma", +"transpiración", +"hit", +"crescendo", +"biolito", +"quiyá", +"beluga", +"llano", +"ovillo", +"apoyo", +"tisúes", +"desidia", +"súbdito", +"vectores", +"obligacionista", +"chopo", +"ajuar", +"bateyes", +"escorzonera", +"trastorno", +"colédoco", +"guambiano", +"pronación", +"acciones", +"magnetares", +"protuberancia", +"tuta", +"serosidad", +"arrasadura", +"mantelo", +"vitricofobia", +"disparatadora", +"cuatrico", +"abajamiento", +"esquinela", +"milla", +"guacamayo", +"gario", +"coñazo", +"tímalo", +"inventario", +"abrigaño", +"largo", +"dislalia", +"araquibutirofobia", +"turibulario", +"poder judicial", +"jaharro", +"trazos", +"agotamiento", +"cornisamento", +"exacerbación", +"impunidades", +"servilletero", +"bujarrón", +"quereres", +"galápago", +"ababuy", +"coplero", +"monópode", +"despartimiento", +"negrillo", +"logrería", +"mangosta", +"segmento", +"quinqui", +"articulación", +"idea", +"huévil", +"costeña", +"nacela", +"aclaración", +"nostofobia", +"achinería", +"posaderas", +"decena", +"acetosa", +"espécimen", +"gobernanza", +"mach", +"XML", +"encendedor", +"propedéutica", +"contabilidad", +"atrapamoscas", +"barcelonés", +"innatismo", +"zzz", +"confort", +"escritores", +"metejones", +"concubina", +"centralismo", +"lupín", +"ajobera", +"endometriosis", +"cermeña", +"contrapropósito", +"japuta", +"cumpleaños", +"peniafobia", +"HTML", +"anglofobias", +"amasamientos", +"fumarola", +"goniometría", +"torneo", +"banqueta", +"apuntador", +"penacho rebeco", +"potencial", +"graznido", +"empeoramiento", +"checo", +"suegro", +"acmé", +"leonero", +"invierno", +"perfecciones", +"despegadura", +"epígrafe", +"bacán", +"ty", +"hidrargiofobia", +"escalfeta", +"prisioneras", +"cotero", +"deshonor", +"fonda", +"atrevimiento", +"piensadora", +"guarnecido", +"bridón", +"bulimia", +"paralelismo", +"hartita", +"jefe", +"picamaderos", +"triquitraque", +"salero", +"ergástula", +"prostituta", +"sospecha", +"campana", +"arracada", +"pregustación", +"elisiones", +"acarofilia", +"latizales", +"contignación", +"reajuste", +"fedayín", +"acratóforo", +"velarizaciones", +"chapaleles", +"ojal", +"agradecimientos", +"albaricoquero", +"gaviero", +"noble", +"pachorra", +"maña", +"posmodernismos", +"extensor", +"albures", +"micología", +"henil", +"diligencia", +"cortadura", +"nasofaringe", +"destajo", +"banquisa", +"táparo", +"determinación", +"inflamamiento", +"orangután", +"destornillamiento", +"gillette", +"sensor", +"emotividades", +"castillos", +"ñequiza", +"apio", +"okey", +"perímetros", +"play", +"armisticio", +"bulla", +"mineralogía", +"apapacho", +"seducción", +"segada", +"revelamiento", +"actuaria", +"enjuagadura", +"pelafustana", +"acullico", +"accesoria", +"kipá", +"badajoceño", +"antenista", +"agraviamiento", +"argado", +"baneo", +"poundal", +"voluptuosidad", +"barcos", +"descargue", +"inversión", +"ludoteca", +"aca", +"chapela", +"exigüidad", +"abandería", +"duda", +"fayanca", +"corporal", +"hemoglobina", +"orogénesis", +"riña", +"mudanza", +"guardarremos", +"sarcófago", +"cañuela", +"geodesta", +"habilitado", +"lechada", +"hipofonía", +"guarda-axila", +"cerdamen", +"clavija", +"psicótico", +"dolimán", +"estímulo", +"papeles", +"playa", +"nácares", +"emulsión", +"broncoconstricción", +"zepelín", +"barbado", +"baberol", +"cuerno", +"frutillar", +"tólar", +"aeroctovicorde", +"verja", +"per diem", +"fonólogos", +"suscripción", +"adehesado", +"apagón", +"estrofa", +"zebroide", +"estrategia", +"lamprea", +"bolillero", +"carenero", +"jabardo", +"jaeces", +"eta", +"rivalidades", +"fiesta", +"kina", +"triquitraques", +"notero", +"estatua", +"gráfica", +"acarreamiento", +"porcunero", +"más", +"alero", +"bloguero", +"cumeno", +"metepantle", +"escalofrío", +"gálibo", +"murta", +"limosnera", +"crisnejas", +"brazada", +"intrado", +"astigmatismo", +"serraduras", +"javanés", +"maestre", +"amaranto", +"mil", +"imposibilidad", +"suavidades", +"repositor", +"tigre", +"alindamiento", +"kelpie", +"mendelevio", +"albedo", +"cauchal", +"faisanera", +"canelones", +"faeneras", +"estabilizador", +"pirindola", +"alconafta", +"river", +"teléfono", +"escarbadientes", +"pruna", +"algueros", +"espárrago", +"chin", +"mágico", +"fabricación", +"tufarro", +"equinofobia", +"cabrito", +"garrafa", +"eras", +"mancuso", +"patofobia", +"virosis", +"elucidación", +"bipirámide", +"barí", +"hondero", +"posesión", +"traro", +"residencia", +"absorción", +"pomerina", +"puntaje", +"dolobre", +"carcamales", +"arranque", +"jaculatoria", +"brigantina", +"bizcocho", +"cultalatiniparla", +"desgranamiento", +"cráteres", +"pataleo", +"tabique", +"elefante", +"batraciofobias", +"desalineación", +"menina", +"broncería", +"secundina", +"borgoña", +"morfón", +"cisco", +"antropogonía", +"crizneja", +"hilefobia", +"achineros", +"infoelectrónica", +"coágulo", +"inmigración", +"xabalcón", +"grébano", +"plazo", +"tienda", +"leño", +"zarzaparrilla", +"bucráneo", +"dueña", +"ablaqueación", +"plumero", +"bachatera", +"expilación", +"ablecto", +"agregación", +"pasagonzalo", +"baquetón", +"abejaruco", +"activo", +"compresa", +"actina", +"bibliófilas", +"solo", +"adición", +"imágenes", +"interwikis", +"chistera", +"neutrón", +"zarevich", +"enriquecimiento", +"designación", +"anáfora", +"churrasco", +"hielo", +"allanabarrancos", +"retortijón", +"pedante", +"ballena", +"escarcha", +"izquierda", +"variedad", +"melocotones", +"palmarés", +"crespina", +"condena", +"haya", +"racha", +"tutorial", +"bauprés", +"abotonador", +"geografía", +"frisón", +"irrespetuosidades", +"asolamientos", +"leones", +"magrez", +"ají", +"roca", +"patata", +"hurrita", +"furtivismo", +"tulio", +"indicación", +"concupiscencia", +"maleta", +"crocino", +"electricidades", +"gimnasia", +"chuleteo", +"fiduciario", +"testaferro", +"preparación", +"enladrillado", +"pompis", +"huso horario", +"EAN", +"amputación", +"solterofobia", +"ciudades", +"puñado", +"ataurique", +"fantasías", +"tinajero", +"inmiscibilidad", +"cólera", +"polígono", +"giba", +"dativo", +"mutis", +"colofón", +"guardaízas", +"carlinga", +"previsión", +"luneta", +"balacera", +"hadrón", +"calabriada", +"putiza", +"agro", +"ripio", +"ligagambas", +"aserradura", +"bonete", +"enteramiento", +"capitolio", +"poeta", +"fantasma", +"abajadero", +"chincheles", +"lítotes", +"yoduro", +"baucher", +"abdesto", +"mayoridad", +"escimpodio", +"visa", +"nectarina", +"surfactante", +"chabola", +"carrizo", +"fantasmagoría", +"pretexta", +"posaplumas", +"jaleo", +"arreglo", +"camandulerías", +"uslero", +"esperezo", +"trépano", +"crema", +"cortejo", +"piamontés", +"baptisterio", +"salador", +"tercenista", +"escabullimiento", +"cajuela", +"teatrofobia", +"embutido", +"cazcarrias", +"ingeniosidad", +"pirinola", +"vendedoras", +"aragonés", +"dalia", +"chasca", +"tiramira", +"falansterio", +"pavero", +"aerolito", +"chal", +"dual", +"lección", +"rabona", +"píloro", +"agricultora", +"biblioteca", +"mecanismo", +"copiosidad", +"masacre", +"indio", +"biofísica", +"cualquiera", +"mantequilla", +"trampazo", +"pelaje", +"ababilo", +"tilita", +"zeasita", +"delineador", +"fenestra", +"actuaría", +"quiltro", +"azerbayano", +"Ébola", +"boludo", +"mecanización", +"nepalés", +"peinillas", +"astrometría", +"visiteo", +"metamorfismo", +"fechas", +"mijo", +"pentadecágono", +"canoa", +"ambulante", +"ñilhue", +"chapas", +"murtilla", +"pedernal", +"faenas", +"geomancía", +"retrete", +"crepidoma", +"ajusteras", +"cedente", +"quimificación", +"indias", +"hoplotecas", +"actinicidad", +"sandiares", +"arboledo", +"e", +"satanofobia", +"pirámide", +"pulmay", +"zaraza", +"entidad", +"mutualidad", +"prácrito", +"jibia", +"discernimiento", +"vinagrera", +"folclorista", +"mallorquín", +"calmuco", +"asparagina", +"estornino", +"paraguayismo", +"alimaña", +"traqueos", +"columna", +"flores", +"garnacha", +"tumbo", +"onomástica", +"bagayero", +"zigzag", +"alelo", +"talque", +"ataques", +"quemí", +"jarra de cerveza", +"nanoquímica", +"mágica", +"pelador", +"encauzamiento", +"tirafondo", +"chave", +"madrugada", +"oligospermia", +"slot", +"peca", +"aferramiento", +"paisaje", +"adivinación", +"cucayo", +"parecencias", +"atíncar", +"vehículo", +"degú", +"pátera", +"hélice", +"harrapo", +"edificación", +"asexualidad", +"guanche", +"cuestionario", +"morbilidades", +"explosión", +"elegancia", +"muhadiz", +"antropomorfismo", +"pacharán", +"montera", +"zarzahán", +"caraza", +"circunflejo", +"baldón", +"aperción", +"greyes", +"marcho", +"embragues", +"ambulacros", +"apurador", +"estivo", +"pulquería", +"sémola", +"paremiólogo", +"corsetería", +"manifiesto", +"champiñón", +"parecer", +"ropa", +"abrillantador", +"principal", +"escalamotada", +"causalidad", +"populacho", +"rebelión", +"claustro", +"confitero", +"agrimensor", +"eosofobia", +"pan", +"descapitalización", +"vacuna", +"alhóndiga", +"aceite para el encofrado del hormigón", +"primorosidad", +"guardafrenos", +"acholo", +"ninfómana", +"mousse", +"artrografía", +"convarietas", +"urbanidad", +"sabotaje", +"jornalero", +"anta", +"bróculi", +"partenofobia", +"rejero", +"moteméi", +"ventalle", +"almanta", +"charrada", +"mariachi", +"inglete", +"diodo", +"saloncillos", +"grasas", +"licantropía", +"pitipié", +"bagañete", +"bringa", +"ontologismo", +"shusheta", +"balsero", +"desembragues", +"contre", +"alcalde", +"alcachofa", +"empeine", +"dibujo animado", +"desiderátum", +"WYSIWYG", +"sufijación", +"hidromiel", +"condenamiento", +"cobras", +"capuchina", +"romanticismo", +"terabyte", +"figurita", +"inutilidad", +"saludadora", +"parcelación", +"chilenofobia", +"flósculo", +"mordacidad", +"tracoma", +"apellidos", +"yucateco", +"nuera", +"avaluadora", +"aroma", +"golondrina", +"oxidación", +"capilares", +"abelia", +"hoplofobia", +"espino", +"mango", +"absintio", +"changuito", +"abastimiento", +"guaraúno", +"Inquisición", +"exacción", +"cablegramas", +"angrofobia", +"raspillas", +"extracción", +"sobreestimación", +"pitillera", +"habar", +"salut", +"agua del Carmen", +"nantclús", +"cobra", +"yubo", +"girola", +"ambulofobia", +"estampa", +"acalculia", +"ripiazón", +"camuesta", +"temores", +"violín", +"virote", +"veinteavo", +"ablación", +"logótropo", +"inertancia", +"benignidades", +"güirras", +"carbono", +"sal amoniacal", +"ombrofobia", +"vienés", +"recauchaje", +"huevón", +"filatélico", +"elucubrador", +"chisquete", +"gira", +"etnógrafo", +"excarcelación", +"crufia", +"siríaco", +"hurís", +"aridez", +"potingo", +"temu", +"torcacita", +"fercho", +"simplicidad", +"galantería", +"confitera", +"labia", +"mixteco", +"paidofilia", +"fotosíntesis", +"lagartija", +"midrash", +"computación", +"normando", +"leucocroismo", +"recusador", +"peligros", +"cañón", +"pívot", +"altisonancia", +"abiogénesis", +"febrera", +"acertajo", +"chajalele", +"amurada", +"logicomecanofobia", +"dialoguista", +"pascal", +"chaparrón", +"semen", +"olimpiada", +"quilogramo", +"tez", +"súcubo", +"importunidad", +"inquietud", +"escaparate", +"arsenicosis", +"victimismo", +"pendón", +"seguida", +"moza", +"travesura", +"meharí", +"rubidio", +"farmacofobia", +"aria", +"melisma", +"cuita", +"previa", +"desalojamiento", +"abejuela", +"algoritmo", +"Anfibios", +"piletas", +"taquilalia", +"naciencia", +"afilamientos", +"mail", +"emblema", +"gol", +"echuelcún", +"machetes", +"guaco", +"tapera", +"frontispicio", +"mandíbula", +"enfoques", +"muones", +"purgas", +"micra", +"agraz", +"blíster", +"aguardo", +"reducimiento", +"ópera", +"mandiocas", +"dinamismos", +"incitamento", +"placemiento", +"acervo", +"chuqueles", +"esquema", +"ánimo", +"palmeral", +"paradigma", +"aguardientes", +"magruras", +"pobo", +"pogrom", +"término", +"macolla", +"treses", +"maíz", +"bronquedad", +"abregancias", +"cuajares", +"transfundición", +"emoticono", +"leña", +"entusiasmo", +"prurito", +"tres en raya", +"petición", +"superficie", +"cambalache", +"sapo corredor", +"desmultiplicación", +"niña", +"actuosidad", +"mem", +"aquenio", +"broncodilatadores", +"ufólogo", +"piedad", +"zoroastrismo", +"boleta", +"cegajez", +"cordel", +"FMI", +"venta", +"reparto", +"paño", +"alquitranadores", +"encuentro", +"invernales", +"kilogramo", +"almirante", +"atiquifobia", +"farruca", +"doncella", +"sirimiri", +"empanada", +"autagonistofilia", +"decalitro", +"oligarca", +"sangralengua", +"disparatador", +"caripela", +"pensador", +"tétanos", +"animosidades", +"nictohilofobia", +"paflón", +"coprolito", +"época", +"compadre", +"omega", +"extendimiento", +"encierro", +"picapleitos", +"imam", +"matico", +"cualo", +"autocrítica", +"sánscrito", +"bejuco", +"cidra", +"embajada", +"TLS", +"riel", +"huainito", +"amebocito", +"acarreto", +"clavellina", +"teleférico", +"irritación", +"excremento", +"periplo", +"casimires", +"zarrapastro", +"tincada", +"generatriz", +"monopolio", +"kelper", +"tragedia", +"goliella", +"papú", +"pirineo", +"voluntades", +"albarraz", +"persa", +"mnemosina", +"profundidades", +"abozo", +"refranes", +"disuasiones", +"muestra", +"reprehensión", +"andadores", +"suripanta", +"abridores", +"agroquímicas", +"epistilbita", +"sonsonete", +"kariveti", +"lámed", +"quirquincho", +"acre", +"picapunto", +"rampete", +"artillería", +"recompensa", +"tzadi", +"transductor", +"lenteza", +"tirolesa", +"oscurantismo", +"amarro", +"alfajores", +"guardacartucho", +"atracón", +"sedición", +"cadenada", +"iniciativa", +"graciosa", +"enjuta", +"ajonjolíes", +"cucharetazo", +"obesidad", +"despropósito", +"montevideo", +"cascarón", +"conspirador", +"champañazo", +"pluviómetro", +"wolof", +"fatigas", +"pelmazo", +"naturaleza", +"bigornia", +"amicia", +"hilación", +"abareques", +"defianza", +"fadiga", +"posología", +"astiles", +"amasaduras", +"anapelo", +"elocuciones", +"frata", +"balay", +"bajo eléctrico", +"rojo", +"mezquindad", +"autodisomofobias", +"permeabilidades", +"empuñadura", +"halcón", +"prontitud", +"papadilla", +"apuradora", +"viático", +"venado pampero", +"desmayo", +"picha", +"entrepilastra", +"urbanista", +"zarzamora", +"geógrafo", +"añalejos", +"Cefeida", +"andamios", +"cabilla", +"indolencia", +"taquión", +"veinticinco", +"carnavalito", +"pobeda", +"reaje", +"chaña", +"patrimonialidad", +"sacapuntas", +"arabio", +"esquinante", +"finca", +"cefalópodo", +"antitoxina", +"trolelote", +"sulfuro", +"robinia", +"logia", +"Wikipedia", +"pío", +"colonialismo", +"déjà vu", +"traqueteros", +"pendiente", +"engerimiento", +"puerperio", +"abaratamientos", +"astato", +"nemertino", +"borcellar", +"acampo", +"zeboa", +"dermatólogo", +"pello", +"jorobas", +"obelisco", +"orbital", +"sobaquina", +"testuz", +"películas", +"shinto", +"reventadero", +"óptico-optometrista", +"filsen", +"caravanero", +"cabezón", +"acequiaje", +"catuto", +"endocarpio", +"anemofilia", +"potro", +"llovizna", +"benignidad", +"huraco", +"homeotermia", +"patovar", +"hào", +"nacionalidad", +"sorbillo", +"purificación", +"contrasacudida", +"toche", +"cacastle", +"atraso", +"neumostática", +"veintiuno", +"quinceañera", +"abajeza", +"hándicap", +"halo", +"bicuento", +"foie gras", +"cisma", +"burundanga", +"mazdeísmo", +"leontopodio", +"jicaco", +"excarcelaciones", +"atrezo", +"quilco", +"preñado", +"sillón", +"abastanza", +"malambo", +"hostelería", +"catagelofobia", +"purgamiento", +"porrada", +"oltramar", +"antilogaritmo", +"tribunal", +"carambolera", +"sufragio", +"orifrés", +"zurugía", +"pezón", +"desacuartelamiento", +"amplitud térmica", +"exégesis", +"bengalí", +"encovadura", +"pilsen", +"teto", +"disensión", +"escandio", +"graciola", +"guardacostas", +"balonvolea", +"maníes", +"lindeza", +"cofia", +"mama", +"ganapán", +"bisturí", +"viviente", +"antonomasia", +"pirimán", +"comparatismo", +"Sistema Internacional de Unidades", +"despesca", +"jerga", +"parejas", +"citano", +"collages", +"agonista parcial", +"cumbrera", +"sobrenombre", +"soporte", +"polarón", +"naumaquia", +"trumao", +"austriacas", +"consultorio", +"beicon", +"lapislázuli", +"gratitud", +"detrito", +"topo", +"patín", +"pipón", +"espejismo", +"picacantos", +"rondeñas", +"jaltomate", +"obrero", +"sexma", +"toxemia", +"sereré", +"zambullida", +"guarnición", +"onda", +"aurofobia", +"artesanía", +"almorzadero", +"busca", +"bustaliza", +"bronquiectasia", +"intradós", +"oros", +"calabacín", +"puerta", +"percutor", +"anihilación", +"chamal", +"ayudador", +"pericardio", +"bolivianofobia", +"geniofobia", +"cartílago", +"culén", +"nicturia", +"mar", +"coluvie", +"acetificador", +"sinecología", +"impresión", +"portalanza", +"dolomía", +"denudación", +"procuraduría", +"honores", +"tritón", +"slapstick", +"desproporción", +"requisito", +"libro", +"chance", +"llecho", +"ñoqui", +"poyato", +"hachazo", +"valvulopatía", +"gramado", +"monterías", +"afectividades", +"rulo", +"lipidia", +"escarapelas", +"geranio", +"sosimbo", +"polaritón", +"basalto", +"sommelier", +"placer", +"índole", +"pabellón", +"pei", +"huacales", +"chapuza", +"alienaciones", +"redescubrimiento", +"cangreja", +"cuadra", +"añejez", +"jato", +"diploma", +"casa", +"entena", +"lindero", +"juguete", +"moderación", +"posestructuralismo", +"tórtola", +"barofobia", +"panera", +"escandelar", +"collage", +"poblado", +"jubilación", +"tránsito", +"elevación", +"causticidad", +"hada", +"azalá", +"contrafuerte", +"aerofobias", +"manifiestos", +"Berbería", +"reducción", +"bulevares", +"suicidio", +"crucigrama", +"playo", +"cachá", +"desfalcos", +"veintitrés", +"núcleo caudado", +"clorofitas", +"aluviones", +"microonda", +"tedio", +"coteras", +"interpolación", +"virgo", +"glamores", +"divergencia", +"kétchup", +"xacena", +"plumazo", +"peonage", +"compañerismo", +"tejón", +"amnistía", +"elote", +"podadura", +"maridos", +"adobe", +"revestimiento", +"seguido", +"interwiki", +"almirantazgos", +"cuco", +"cabillares", +"finalidad", +"chícharo", +"rechazo", +"diario", +"banzo", +"puto", +"balcón", +"biberón", +"chaparrales", +"jeva", +"niponología", +"adsidui", +"tinto", +"Internacional", +"bórax", +"het", +"leoncito", +"puntajes", +"lástima", +"peldaño", +"promovendo", +"incremento", +"declinación", +"quiraptofobia", +"ayebo", +"mainel", +"cilio", +"recinchamiento", +"confesiones", +"vientre", +"bataola", +"guionista", +"carniceras", +"sanguijuelero", +"merino", +"sari", +"acimboga", +"manco", +"anomalía", +"epiceno", +"devengo", +"teología de la liberación", +"remanente", +"mijita", +"chaucha", +"sanjuanense", +"escalamera", +"juradoría", +"yogur", +"añejamiento", +"imaginación", +"lacho", +"folión", +"barrero", +"avería", +"isodecágono", +"smash", +"fenomenología", +"tecate", +"bluff", +"coroliflora", +"letura", +"presentimiento", +"oraciones", +"milcayac", +"pendanga", +"cocodrilo", +"agujero", +"berlinesa", +"prosodia", +"falso zumaque", +"escritura", +"purga", +"sendas", +"descarga", +"cafeterías", +"consuegro", +"muelle", +"faldiquera", +"maratón", +"vulpeja", +"aeronaves", +"narria", +"maorí", +"bordada", +"cárteles", +"nacionalismo", +"uniforme", +"car", +"herencia", +"narco", +"bahasa", +"tiña", +"verticilo", +"opiofobia", +"alárabe", +"incitación", +"orador", +"espolón", +"pendejo", +"aurorafobia", +"ámbito", +"celemín", +"bipedestación", +"saber", +"arteriografía", +"priora", +"seudónimo", +"serviola", +"neonato", +"magia", +"nectarios", +"cortometraje", +"vieja", +"multicascos", +"disputas", +"sierpe", +"toto", +"espata", +"redoma", +"bazo", +"taka", +"necton", +"chuecas", +"boyardo", +"caricaturas", +"dispendio", +"acondroplasia", +"mucosidad", +"cicatero", +"hijueputa", +"umlaut", +"artículo", +"calda", +"erudición", +"acuarelista", +"caritas", +"hablilla", +"taladro", +"contestación", +"eurotofobia", +"teratóloga", +"compromiso", +"mancano", +"cabañero", +"melisofobia", +"prueba", +"auquénido", +"cartera", +"hermetismo", +"tambores", +"coronillo", +"aparcería", +"grabado", +"biólogas", +"línea", +"ratificación", +"porrazo", +"achique", +"desprestigio", +"pintura", +"intuición", +"dame", +"estoma", +"metaplasmo", +"gradualidad", +"aimara", +"libertarismo", +"meme", +"vainilla", +"sustraendo", +"desagrado", +"afrikáans", +"atrasado", +"azafate", +"castorcillo", +"dieta", +"cascote", +"guardabolinas", +"abulaga", +"ardita", +"trenación", +"apuesta", +"toor", +"madreperlas", +"desgajamiento", +"linao", +"yeso", +"junio", +"autobuses", +"grutesco", +"crespón", +"manteísta", +"encubrimiento", +"arco", +"fortalecimiento", +"anatomía", +"desafuciamiento", +"pañolero", +"temporización", +"maquia", +"aclamamientos", +"abatí", +"académica", +"zurda", +"entrada", +"alquiler", +"glucagón", +"deterioro", +"puñetazo", +"cambiazos", +"enloquecimiento", +"inteligencia", +"cerdo hormiguero", +"páprica", +"variabilidad", +"reimpresión", +"molino", +"contraculturas", +"almacenaje", +"mico", +"güisamper", +"skingirl", +"medioevo", +"plafón", +"hechicero", +"divinadora", +"huaca", +"carbúnculo", +"slat", +"nefrología", +"juguetería", +"determinismo", +"niñoca", +"pula", +"pelagrofobia", +"tibia", +"descubretalles", +"paremia", +"nueces", +"vinícola", +"circunstancia", +"frialdad", +"alegra", +"fonocaptor", +"regreso", +"fotografia", +"tocino", +"cuye", +"nosogenia", +"entablada", +"decálogos", +"gríngola", +"enfermero", +"alaveo", +"anteanoche", +"parabrisas", +"arquetipo", +"procesado", +"conductor", +"garitón", +"telefonazo", +"crepúsculo", +"clinoposición", +"clavero", +"aviones", +"misil", +"callosidades", +"mendogio", +"paralipofobia", +"aellas", +"carcelerías", +"peyote", +"pedicura", +"obligado", +"manutenciones", +"crubica", +"prolongamientos", +"abete", +"aironazo", +"búnker", +"tortolita boliviana", +"ceo", +"auxosis", +"silabeo", +"abjasio", +"pulgar", +"karous", +"perdices", +"certería", +"desvalorización", +"saltaregla", +"ñango", +"adulas", +"sillares", +"escalo", +"abarcamientos", +"tricofobia", +"avión a reacción", +"torreón", +"quetzal", +"dovelage", +"katakana", +"pergamal", +"turca", +"pianista", +"jeme", +"guna", +"oxîgeno", +"aciares", +"horcajadas", +"doctrina", +"niuano", +"alambiquero", +"granero", +"yaguasa", +"rubíes", +"agateofobia", +"cormo", +"cainotofobia", +"alcobilla", +"alivio", +"breve", +"pava", +"decápodo", +"repecho", +"cola less", +"haceres", +"herrete", +"inferioridad", +"desquijaramiento", +"mácula", +"quiebro", +"distensión", +"amplitudes", +"derogación", +"carpintero", +"buso", +"hematocito", +"cuzco", +"abañador", +"marbete", +"tecolín", +"meiga", +"cargador", +"fachada", +"abladera", +"reunificación", +"esencialidad", +"casa de lenocinio", +"crianza", +"kaneli", +"zurullo", +"afinamiento", +"cara", +"septillón", +"mitad", +"proyectura", +"cuajo", +"litigante", +"tuteamiento", +"acedura", +"pirómetro", +"varietal", +"legañas", +"paipa", +"peralte", +"mapuche", +"kiwi", +"pilcha", +"hemiparesia", +"pasada", +"lector", +"mezclador", +"desavenencia", +"coordinadora", +"achineras", +"encarnamiento", +"redondo", +"ambueza", +"papiamento", +"eneldo", +"sitofobia", +"internacionalización", +"aparte", +"alumno", +"encorvamiento", +"icipó", +"mostacho", +"cartoneo", +"señoreamiento", +"reenganchamiento", +"borrén", +"djerí", +"generosidad", +"desvalijamiento", +"damasco", +"flujo", +"chochín", +"envergadura", +"filología", +"finalista", +"bromidrofobia", +"variolina", +"camote", +"pluviofobia", +"escurecimiento", +"quicio", +"guagüita", +"suegra", +"amacu", +"evacuación", +"contraataque", +"aigmofobias", +"vianda", +"plantines", +"motoneta", +"apancle", +"zarzagán", +"chulo", +"pellín", +"mojo", +"L", +"empalamiento", +"meteorización", +"turbación", +"oropel", +"empecinado", +"disincronía", +"toponímico", +"masageta", +"sacudidas", +"tumor benigno", +"agrietamiento", +"belén", +"vareta", +"truncadora", +"germana", +"hurón", +"financiación", +"operación", +"golfo", +"ignición", +"talquita", +"oficio", +"fenocopia", +"acebibe", +"chotis", +"cayado", +"Cenozoico", +"corporalidad", +"robot", +"elegiógrafo", +"kadi-asker", +"teluro", +"bacalao", +"esputo", +"orillas", +"decoupage", +"adar sheiní", +"aminoácido", +"joyosa", +"triptongo", +"pensadoras", +"dos", +"trotskismo", +"alirón", +"convulsión", +"suzarro", +"castración", +"listeza", +"tarrico", +"eficacidad", +"cachemirí", +"digitalizaciones", +"guanay", +"tetanización", +"harúspuce", +"cronofobia", +"logomaquia", +"camao", +"holoturia", +"interdicción", +"caña de pescar", +"autogiro", +"andarivel", +"silampa", +"billón", +"calor", +"cajetilla", +"verdeo", +"trance", +"firmán", +"nach", +"cari", +"liturgia", +"glucómetro", +"regiduría", +"luifobia", +"salivación", +"obiubi", +"pira", +"velas", +"jazzero", +"deleción", +"hincha", +"suelo", +"pailebot", +"albaina", +"letona", +"santateresa", +"distopia", +"arbustos", +"espadaña", +"cuark", +"almojatre", +"estéril", +"piruétano", +"estrella", +"sorbellano", +"guirlache", +"granadino", +"terarca", +"ayrampo", +"altica", +"conocido", +"gramática", +"escoria", +"gamella", +"yukata", +"bioequivalencia", +"RPM", +"mateusiofobia", +"descarnada", +"mesana", +"estercolar", +"gluten", +"arraigamiento", +"cristianismo", +"plateado", +"charnela", +"bisturís", +"obvención", +"seta", +"cárceles", +"liberalismo", +"septicemia", +"maremoto", +"peine", +"quehuihuaca", +"ortogneis", +"equidistancia", +"crítica", +"ununbio", +"rinoceronte", +"resbaladera", +"catorce", +"papus", +"mayordomo", +"apaleos", +"dulce de leche", +"pancho", +"dandi", +"grandores", +"aspecto", +"burrito", +"sorpresa", +"laucho", +"ñaurapo", +"Cielo", +"achaquero", +"mexicaneada", +"posta", +"aerognosia", +"invitador", +"trompicón", +"codonóforo", +"eslabón perdido", +"graciosidades", +"automisofobias", +"localhost", +"sanguillo", +"morguera", +"trova", +"rebeco", +"bienestar", +"empiema", +"selenografía", +"sirio", +"argollera", +"enjutos", +"trapichero", +"tarta", +"caguama", +"recipiente", +"incumbencia", +"candilón", +"reggae", +"gaseosa", +"acero vidriado", +"desertización", +"coligaduras", +"chocolatada", +"pteroma", +"mases", +"antracología", +"trompe-l’œil", +"matiné", +"mucura", +"mago", +"repuesto", +"noticia", +"cervecería", +"apuesto", +"electrómetro", +"profecía", +"mandarina", +"elepé", +"muchedumbre", +"controversia", +"puma", +"acicate", +"coltán", +"dominga", +"silvestrismo", +"mamparo", +"ñata", +"tifones", +"energía eólica", +"abendula", +"cuentos", +"guatita", +"zutano", +"albañires", +"vegetaciones", +"tostada", +"ñácara", +"aeronavegación", +"toca", +"tremedal", +"acuerdamiento", +"producto", +"geólogos", +"lulav", +"torera", +"servio", +"tercena", +"supranacionalidades", +"casimir", +"ajoberas", +"depósito", +"aviso", +"deselectrización", +"terna", +"braceador", +"vistazo", +"autoinforme", +"interjecciones", +"telo", +"apeadero", +"flagelo", +"coeficiente", +"arrabio", +"acino", +"acalia", +"sobrezanca", +"chiflo", +"significación", +"coyuya", +"exordio", +"desmejoramiento", +"ciruela", +"glotalización", +"bislama", +"hoyo negro", +"arrogancia", +"abarraz", +"abascania", +"kaminul", +"albarguería", +"cuarto", +"arrollado", +"sicoanálisis", +"zarcillo", +"yeli", +"charoles", +"abismo", +"batonofobias", +"chepa", +"esquinanto", +"desratización", +"rechazador", +"autodiseño", +"rábano", +"revelados", +"rosetón", +"chelo", +"gnosis", +"paladares", +"cagalera", +"belleza", +"cepillo de apicultor", +"acuache", +"sobremortalidad", +"corporales", +"análisis", +"picadura", +"depe", +"triplano", +"mascarón", +"rupofobia", +"arrenfobia", +"opio", +"honradez", +"restauración", +"evocación", +"vestuario", +"naturismo", +"despellejadura", +"cacharrito", +"troodonte", +"epitelio", +"pigmento", +"pancutra", +"grimorio", +"absolución", +"adversarios", +"espasmo", +"casas", +"onagro", +"esquileo", +"monarquía", +"maqui", +"leonés", +"sospechadora", +"cinc", +"peso argentino", +"sabana", +"mutagénesis", +"homeopatía", +"bolsería", +"pagador", +"túnica", +"regañado", +"queriva", +"paleolítico", +"idealismo", +"crematofobia", +"parte", +"java", +"calufo", +"infructuosidad", +"mahuacata", +"vitíligo", +"charlatanería", +"sanguijuela", +"azor", +"digestión", +"circuito", +"bactromancia", +"disenso", +"aparejamiento", +"casadita", +"calesita", +"porotada", +"carmesís", +"preeminencia", +"aceptación", +"pa'anga", +"agroquímica", +"cliometría", +"animé", +"atenuación", +"pliego", +"gentileza", +"ludada", +"antigenicidades", +"desconocimiento", +"talabartero", +"alhorza", +"warao", +"desmoralización", +"integridades", +"cumanagoto", +"galizabra", +"travesaño", +"tacón", +"abotonadores", +"fuck you", +"bigotes", +"igualezas", +"metifobia", +"tara", +"carboneo", +"tolmo", +"acratomiel", +"accidentalidades", +"ordalía", +"valoración", +"pestillo", +"anticlericalismo", +"zoquetería", +"laudo", +"enseña", +"dinofobia", +"mimología", +"plomada", +"camiones", +"herpes zóster", +"albacara", +"singa", +"tómbolo", +"identificador", +"llanos", +"espondilosis", +"derrame", +"negro", +"moraga", +"soliloquio", +"aeronausifobias", +"setenta", +"invectiva", +"fitol", +"ahílo", +"hebilla", +"quiebra", +"acabo", +"larva", +"failina", +"basílicas", +"dona", +"leima", +"remero", +"balaje", +"ciento", +"contestador", +"sér", +"sala", +"lastra", +"tutilimundi", +"huique", +"transmisión", +"chirimbolo", +"volubilidades", +"traquetera", +"ludópata", +"copihue", +"calculación", +"badilazo", +"fluidez", +"astrapofobia", +"rejeada", +"laques", +"coque", +"disfunciones", +"guerrillera", +"bieldo", +"axón", +"zumaque", +"blues", +"informalidades", +"autodidactismo", +"ensuciamiento", +"codoñate", +"enculturación", +"acarralado", +"escotera", +"hindi", +"cigoto", +"obra", +"todo", +"piola", +"siguamper", +"cayo", +"fondista", +"ababoles", +"palitroque", +"estanco", +"devastaciones", +"bolas", +"altín", +"algaida", +"dij", +"pasabocas", +"anafre", +"tarjetón", +"carbuncosis", +"turn", +"bombo", +"pasquín", +"criterio", +"parroquia", +"churrería", +"disco", +"cena", +"ayudante", +"taller", +"cortacésped", +"copa", +"sobreviraje", +"epinefrina", +"impétigo", +"cuneiforme", +"vibrador", +"socialismo", +"añejado", +"meollo", +"vestíbulos", +"acero fundido", +"protón", +"xilofón", +"factoraje", +"intensión", +"azud", +"agracillo", +"dársena", +"pieles", +"trébedes", +"retina", +"infundios", +"limpiaplata", +"burla", +"acato", +"palmeta", +"lignina", +"síndrome", +"hepatitis", +"abanto", +"responsabilidad", +"capitán", +"insistencia", +"pedrisco", +"verderón", +"caíd", +"enrizamiento", +"afijos", +"doméstico", +"curación", +"marxismo-leninismo", +"esfuerzo", +"cervicabra", +"desvaríos", +"sacudidura", +"jardín", +"hibridación", +"psicocoach", +"androfobias", +"apuntes", +"policromía", +"urdiembre", +"totes", +"majestuosidad", +"absenta", +"ilícito", +"secreción", +"encarcelamientos", +"camal", +"trinquete", +"hiena", +"lauroceraso", +"almendra", +"sufrida", +"arresto", +"geólogas", +"geoclimatología", +"monitor", +"díspoto", +"ramnense", +"estera", +"exclamación", +"peso atómico", +"moralismo", +"pepsi", +"herpetofobia", +"percusor", +"neurona", +"cuí", +"etrusco", +"buga", +"abeacas", +"cuentagotas", +"punzó", +"cochero", +"jeró", +"invitatorio", +"embarazadora", +"notoriedad", +"quelgo", +"puntito", +"americanismos", +"estilóbato", +"natura", +"necrofobia", +"matorral", +"extravagancia", +"contentación", +"zaguanete", +"desinteresamiento", +"acuachi", +"hombro", +"hemeroteca", +"impericia", +"desmembración", +"antropofobia", +"papal", +"rucio", +"meollada", +"automatización", +"beato", +"jíbaro", +"estufero", +"caco", +"aurofobias", +"campanarios", +"plutonio", +"librecambio", +"bronquiolo", +"venenazo", +"deshuesado", +"heresifobia", +"dingolondango", +"eiségesis", +"huachuchero", +"guardacuello", +"veintinueve", +"autodestrucción", +"puericultor", +"tributo", +"abuje", +"alojero", +"dómine", +"regradecimiento", +"alcanciazo", +"zanja", +"maicena", +"lastimamiento", +"digital", +"Dhimma", +"albardón", +"cuyo", +"faltriquera", +"acebuchina", +"symphonic metal", +"delantales", +"mímica", +"chuza", +"catión", +"espinar", +"primado", +"entretenimientos", +"nitidez", +"ciervo de las marismas", +"descerebración", +"reclamaciones", +"oprobio", +"furia", +"SUV", +"rezo", +"acento", +"manzano", +"carrillera", +"pecarí", +"nuez", +"patrulla", +"neguilla", +"desoxidación", +"marchas", +"ajizal", +"simetría", +"dedales", +"testículo", +"mercadeos", +"macroorquidismo", +"clericato", +"indeterminación", +"rayos alfa", +"estreno", +"guacho", +"maneadero", +"sarapia", +"ornamentos", +"linograbados", +"milagro", +"geodésicas", +"abarrotería", +"patería", +"adelantabilidad", +"aluvión", +"tacofobia", +"mariposas", +"cachanilla", +"guaraná", +"vivac", +"simplicidades", +"hueco", +"adulto", +"nuesa", +"glásnost", +"glosolalia", +"vocación", +"iridio", +"polvo", +"lumpemproletariado", +"suburbio", +"abedul", +"esquinito", +"ticio", +"etilómetro", +"destajeros", +"contento", +"almoradujes", +"manuela", +"empresa", +"red", +"zinc", +"jobo", +"derivada", +"estancia", +"señorío", +"cole", +"investigaciones", +"pubertades", +"tuna", +"murmullo", +"hartazón", +"retaliación", +"líneas", +"ababes", +"gadolinio", +"obesidades", +"cirros", +"altísimus", +"basilidión", +"tecol", +"afición", +"embaste", +"dimensión", +"este", +"militar", +"pitiyanqui", +"carencia", +"cocina", +"hedonofobia", +"jurado", +"meditaciones", +"cucharal", +"vagina", +"yoga", +"mayólica", +"portaaviones", +"tonada", +"niel", +"nectario", +"desgarramiento", +"tarotista", +"decidofobia", +"kerosén", +"portumnales", +"leu", +"asechanza", +"vanguardia", +"picnómetro", +"bifurcaciones", +"pimiento", +"espuma", +"celesta", +"albañería", +"estofado", +"cerebelo", +"trueques", +"kilográmetro", +"guardia", +"satanismo", +"reunionés", +"fusil", +"virología", +"bombisto", +"habichuela", +"mineta", +"cartas", +"cuestiones", +"energía", +"curiara", +"notebook", +"devastación", +"Ada", +"nomofilo", +"estuche", +"sustantivos", +"impostura", +"escuadración", +"orobias", +"votación", +"derramamiento", +"nachal", +"encañado", +"mampostería", +"terrón", +"preceptos", +"amicofobias", +"utensillo", +"pack", +"bolsas", +"compresión", +"axiología", +"desapropiamiento", +"trasnochadas", +"campanada", +"postor", +"juma", +"homocromía", +"hinojo", +"plaza de abastos", +"uxoricida", +"picardía", +"guardador", +"folíolo", +"cadena", +"trasportación", +"bosquete", +"marisco", +"querintios", +"auriculoterapia", +"zascandil", +"grado", +"agrazón", +"bradilalia", +"geodestas", +"criadora", +"tunda", +"zorro", +"replanteamiento", +"armada", +"aconfesionalidad", +"tancredo", +"complejo", +"xilocaína", +"tejivano", +"caballerosidad", +"diván", +"estrés", +"alción", +"potorro", +"alegrón", +"alejamiento", +"trashoguero", +"rabdofobia", +"oído", +"taquifemia", +"biandazo", +"anticiclón", +"ñachi", +"enviscamiento", +"celosía", +"fatalismo", +"dolama", +"entomofagia", +"basofobia", +"zapatería", +"yambo", +"despeje", +"testerillo", +"cortado", +"bambara", +"polisílabo", +"oenofobia", +"alfamar", +"sindhi", +"cunnilingus", +"prestímano", +"negra", +"retesamiento", +"cochinillo", +"planes", +"niveles", +"lirismo", +"diminutivo", +"mojón", +"tailandés", +"chañadura", +"encrucijada", +"mosaico", +"mexicanidad", +"atoramientos", +"cinematecas", +"galayo", +"gracilidad", +"cefeida", +"sangrado", +"acidia", +"abominación", +"descuidista", +"destajos", +"aguacate", +"cacique", +"duraznillo", +"almicántara", +"sobreesdrújulos", +"flor", +"polis", +"dineros", +"cebra", +"idiófono", +"chicharrero", +"oreja", +"urogallo", +"ñerda", +"nano", +"capucha", +"ansiedad", +"locquiofobia", +"ligapiernas", +"coligación", +"salón", +"modisto", +"alfabeto", +"piña", +"salitral", +"pacha", +"malatía", +"cupón", +"interrupción", +"altísimo", +"trompada", +"centofobia", +"bramido", +"altitonancia", +"contumeria", +"cernidillo", +"cocinas", +"estaca", +"telomerasa", +"evaporación", +"diaporama", +"cebada", +"energúmenas", +"quiescencia", +"batanado", +"parra", +"tigmotropismo", +"balazo", +"dossier", +"bachatero", +"artesana", +"enyesadura", +"geogenia", +"argentinidades", +"azores", +"limadura", +"tremolines", +"entallado", +"perica", +"afuste", +"trasmundo", +"coñac", +"ricino", +"castigación", +"membresía", +"quorum", +"repentinidad", +"complejo de inferioridad", +"simpatía", +"descubierto", +"merindades", +"amasiato", +"revoco", +"islote", +"enviado", +"aguatera", +"cascaruleta", +"celestina", +"noni", +"alondra", +"jalapa", +"metodología", +"gamuza", +"tiroteo", +"permeabilidad", +"baqueano", +"descortezamiento", +"tiesto", +"maltratos", +"tracalada", +"rodada", +"núcleo", +"sufrencia", +"cañadú", +"logrero", +"bosta", +"malafollá", +"tripsina", +"botánico", +"prefosa", +"prosonomasias", +"arcipreste", +"ropage", +"verbigracia", +"naciente", +"ciprinofobia", +"abolición", +"melonares", +"romanización", +"porción", +"receta", +"tucu", +"multimedia", +"abellero", +"hora", +"asceta", +"mejicano", +"curita", +"turkmeno", +"afectuosidad", +"checoslovaco", +"sorderas", +"abanador", +"galactorrea", +"guardapolvo", +"biostroma", +"hierbabuena", +"deliberación", +"docencia", +"camándulas", +"asustaviejas", +"motivación", +"postulado", +"doblegamiento", +"aeróbic", +"mequetrefes", +"hogao", +"creador", +"peso", +"eV", +"asa", +"transporte", +"esferográfico", +"estafilococo", +"delay", +"swan-pau", +"cabrilleo", +"coordinadoras", +"favor", +"saetilla", +"pluviselva", +"fomentos", +"dispensario", +"pagadero", +"entendederas", +"escuincle", +"lintel", +"prócer", +"peligro", +"forcípula", +"quinielista", +"polas", +"kaptur", +"kilobyte", +"psicosomática", +"clubes", +"autarquía", +"grisalla", +"aracnoides", +"rehén", +"inquina", +"barra", +"cambiamiento", +"bronquio", +"apoptosis", +"yakimono", +"chasis", +"tarificación", +"coxa", +"váter", +"almohatre", +"ahuecamiento", +"lahueñe", +"columpio", +"amasijos", +"yuyal", +"magnetrón", +"supercloruro", +"alfalfa", +"solitario", +"trajemelodía", +"choque", +"imoscapo", +"chascón", +"epistasis", +"traqueo", +"epimetro", +"palotillo", +"vacilación", +"conceptuosidades", +"carteras", +"pose", +"sazón", +"localidad", +"timbo", +"ijar", +"adenopatía", +"estamina", +"escultoras", +"etnología", +"acúfeno", +"sastre", +"sandillero", +"zacate", +"miríada", +"consiliencia", +"trescientos", +"abelonita", +"rapsodia", +"cornezuelo", +"altruismo", +"bici", +"extorsión", +"ginecólogo", +"nostalgia", +"ácigos", +"chilpayate", +"dintorno", +"toalla", +"consorcista", +"apicectomía", +"cinemascope", +"cebollino", +"feminismo", +"resobrina", +"chirimía", +"accesibilidad", +"reputación", +"video", +"validador", +"unicidad", +"golondrinero", +"abrasor", +"desolladura", +"trabuco", +"adustión", +"maltratamiento", +"alizar", +"congelación", +"armador", +"piromanía", +"juntamiento", +"arrequife", +"pregonero", +"reposición", +"brillos", +"ingratitud", +"imputaciones", +"ca", +"inconsecuencia", +"lauro", +"libreta", +"extraordinarias", +"chaleca", +"baguete", +"geógrafas", +"crestón", +"perjuicio", +"cinismo", +"política", +"churramba", +"campiñas", +"poliarquía", +"ámel", +"watchdog", +"transición", +"sevicia", +"maoísmo", +"jazz", +"cobre", +"astronauta", +"renacuajo", +"adultez", +"pato de Berbería", +"teratofobia", +"celulitis", +"pecosidades", +"deshojamiento", +"hiperónimo", +"arrurrupata", +"webcast", +"barquetas", +"bracero", +"kaleidoscopio", +"comal", +"portaútil", +"barrujo", +"balanzo", +"oleoducto", +"abanicos", +"alocución", +"nacionalsocialismo", +"diamantoide", +"saborea", +"boticario", +"yerra", +"oralidad", +"espinacas", +"bóvido", +"parónimos", +"jardines", +"pereque", +"apartado", +"utilización", +"cucumelo", +"nombre", +"efe", +"abedular", +"macarra", +"galapaguera", +"costumbre", +"bolsero", +"genocidio", +"polen", +"pasador", +"enseñas", +"sesquialtera", +"térmica", +"asperger", +"libraco", +"licor", +"veintidós", +"estados", +"kilómetros", +"diversidad", +"basura", +"chuña", +"jarrón", +"refajo", +"subsidio", +"bulldozer", +"amores", +"vivar", +"once", +"micofobia", +"comprensión", +"mi", +"pateadura", +"triaje", +"arteriología", +"excomunión", +"molcajete", +"almuercerías", +"cobertizo", +"mes", +"confianza", +"orlo", +"heridas", +"ambientalismo", +"repe", +"distancia", +"acuicultura", +"bratwurst", +"panhelenismo", +"esprint", +"alarmas", +"entrenador", +"baladrón", +"sugilación", +"coneja", +"tráfico", +"electricidad", +"euskera", +"arroyo", +"cafetales", +"ballestada", +"computador", +"albañar", +"ojeada", +"centrifugadora", +"blasones", +"alferecía", +"fotógrafo", +"seguidora", +"rasadura", +"UNICEF", +"caviales", +"nucleomitufobia", +"gualda", +"africanofobia", +"alioj", +"posesivo", +"autenticación", +"valentía", +"absolvederas", +"relax", +"ñancolahuén", +"pegata", +"hueva", +"frontera", +"abombamiento", +"cantarilla", +"tépalo", +"aguamaniles", +"patojo", +"ginefilia", +"germinación", +"abasia", +"chapa", +"tropofobia", +"autofinanciación", +"artralgia", +"gualdrapazo", +"curuica", +"taifa", +"corri-corri", +"antiimperialismo", +"adobas", +"támara", +"gustos", +"legitimidad", +"don", +"kriptón", +"intrepidez", +"milico", +"estantería", +"REM", +"parónimo", +"simplista", +"envoltura", +"joputa", +"sincretismo", +"retasación", +"topofobia", +"destilador", +"farlopa", +"mitos", +"acaudillamiento", +"andropausia", +"veladoras", +"abanicazo", +"chafallo", +"koinón", +"preludio", +"chamaca", +"puerto", +"top", +"cuchipanda", +"block souvenir", +"hipótesis", +"gene", +"hendedura", +"mostachón", +"cerveza", +"radiotelegrafista", +"micción", +"almorzaderos", +"gradería", +"misión", +"urdidora", +"vaso", +"biromista", +"reviro", +"macá", +"coca-cola", +"crocante", +"zapatera", +"pantuflo", +"anticongelante", +"quiquill", +"listadura", +"tarasco", +"asexualidades", +"carnerera", +"pagofobia", +"camposanto", +"repentista", +"anémona", +"antesignario", +"humo", +"dramática", +"zorcico", +"censora", +"poliésteres", +"batelero", +"caballete", +"morfina", +"prefijos", +"cenicero", +"qof", +"polenta", +"desentendimiento", +"complejidad", +"dermatosiofobia", +"forjado", +"cojón", +"exageraciones", +"accionariado", +"despeadura", +"changle", +"intermaxilar", +"culturismos", +"mishiadura", +"estasifobia", +"gorila", +"burieles", +"fiereza", +"perrito", +"torrija", +"disentimiento", +"puta", +"atmosfera", +"ertofobia", +"aguilando", +"correo", +"burlete", +"partera", +"paragüero", +"cuatezón", +"hidrógeno", +"acores", +"angiosperma", +"anime", +"tendencia", +"helmintofobia", +"paparazzi", +"lagrimilla", +"nerd", +"magiar", +"contramesana", +"acrobatismo", +"ñoro", +"reyerta", +"apartadero", +"maricueca", +"fragata", +"concepcionismo", +"intimidades", +"enunciados", +"braña", +"temascal", +"conejo", +"terapia", +"cajamundo", +"ponche", +"mandril", +"diplomática", +"ingravidez", +"ruiseñor", +"tamalera", +"efecto", +"litotricia", +"sordera", +"accelerando", +"divisibilidad", +"fulastre", +"catapedafobia", +"bajacaliforniano", +"triel", +"mastigofobia", +"organografía", +"yate", +"mito", +"internacionalidad", +"traviesa", +"robustecimiento", +"caray", +"pehuenche", +"avión", +"auditivo", +"ceibo", +"legión", +"prudencia", +"ejercitación", +"panga", +"desheredamiento", +"cuernito", +"reales", +"vejestorios", +"mañas", +"aclamaciones", +"valón", +"morfología", +"gallinaza", +"edema", +"sufijos", +"metales", +"disparo", +"havo", +"diuca", +"desencanto", +"cártel", +"areíto", +"araquibutirofobias", +"chinchurria", +"hidroclastia", +"estudio", +"badil", +"nidación", +"harpía", +"señorial", +"culengue", +"goles", +"mochuelo", +"fibroma", +"pasadillo", +"abalorio", +"catinga", +"prosopopeya", +"cromo", +"yugo", +"ecuador", +"avéstico", +"reno", +"bastas", +"alcantarilla", +"autopoiesis", +"plantación", +"tesitura", +"pampa", +"buselino", +"cómic", +"hocico", +"oeste", +"colorimetría", +"tapa", +"remisería", +"mosto", +"chirla", +"autoritarismo", +"carro", +"apostolus", +"reduccionismo", +"kadar", +"lagartera", +"islandés", +"pinocha", +"desembrague", +"escotofobia", +"coles", +"triforio", +"redondez", +"frente", +"energía oscura", +"amigdalectomía", +"solado", +"arma", +"promoción", +"paréntesis angular", +"cleptocracia", +"reencarnación", +"tambera", +"colisión", +"pensadero", +"perfectísimo", +"aparador", +"tubaritis", +"angurria", +"trahua", +"ferrocarriles", +"doleto", +"batología", +"oasis", +"consumidor", +"descendimiento", +"dictámenes", +"demagogo", +"coso", +"parasitología", +"quijotería", +"era", +"multa", +"vizconde", +"hiel", +"catástrofe", +"dinastía", +"biozona", +"bullaranga", +"nova", +"mixto", +"prusiano antiguo", +"bretón", +"fuliginosidades", +"dentadura", +"rotación", +"arrasamiento", +"miñardí", +"majada", +"pachanga", +"plasticina", +"femicidio", +"maulero", +"politeísmo", +"estación", +"loción", +"coercitividad", +"costeños", +"aguarradilla", +"guayabo", +"arón", +"diablura", +"cuezo", +"caries", +"plasmón", +"prisionero", +"comunicaciones", +"navegado", +"asistente", +"centollo", +"diplomas", +"peo", +"ergotismo", +"albatros", +"abucardo", +"cooperación", +"bando", +"autoridad", +"cubierta", +"absidiolo", +"taekwondo", +"hipervisor", +"maesa", +"combo", +"organización", +"ingeniador", +"fleto", +"días", +"metro", +"uruguayismo", +"araucanización", +"arreboles", +"playero", +"aullidos", +"habano", +"bacales", +"santo", +"astrólogo", +"distintivo", +"avalúos", +"senectud", +"estupefactivo", +"almogrote", +"tendero", +"arquitrabe", +"mayordomadgo", +"igur", +"ubre", +"traductora", +"acefalia", +"UPC", +"escolio", +"aelurofobias", +"calabazate", +"tabús", +"macrófago", +"navigación", +"homeóptoton", +"visitación", +"abuhamiento", +"intemperie", +"chocolatera", +"usura", +"declive", +"permarexia", +"axioma", +"caliche", +"abrelatas", +"salsifí", +"sinsonte", +"antimonio", +"abanderamiento", +"esquí", +"dríada", +"rabdomante", +"claraboya", +"tokelauano", +"basa", +"oicofobia", +"diciembre", +"zaque", +"tiquismiquis", +"amarillismo", +"muérganos", +"babosa", +"quemadura", +"deliciosidades", +"tebeo", +"caraba", +"champán", +"dilogía", +"antisépticos", +"viejas", +"comisión", +"efracción", +"almena", +"sagita", +"ciprés de la cordillera", +"estadista", +"caldera", +"cercanía", +"arcángeles", +"mindungui", +"refrescamiento", +"cafisio", +"cabos", +"rorcual", +"achaques", +"porche", +"guardafuegos", +"ágora", +"carboncillo", +"alambre", +"parcerito", +"rutenio", +"toxofobia", +"dermitis", +"bullarengues", +"escocia", +"pituto", +"coz", +"simonía", +"trípode", +"maneador", +"alicantina", +"kadina", +"sofer", +"parénesis", +"cagada", +"rei", +"jándalo", +"zorongo", +"voto", +"bibliotecario", +"cíngulo", +"contrapunto", +"gena", +"bonetero", +"marxismo", +"susidio", +"guardaaguas", +"chupatintas", +"adentro", +"neumatista", +"prelado", +"lantano", +"trazo", +"trinca", +"oxidorreducción", +"paisanaje", +"suche", +"muga", +"pañil", +"conejales", +"cimorra", +"ambición", +"chibola", +"dúo", +"medallero", +"apódosis", +"garrote", +"escalio", +"embocadura", +"anisado", +"metal de transición", +"desimanación", +"tabú", +"volubilidad", +"beef", +"aavora", +"deuda", +"quirruris", +"filántropo", +"transmutación", +"ñire", +"pelele", +"lascivia", +"picadón", +"tumores", +"trato", +"sonambulismos", +"mayúsculas", +"tendinitis", +"infatuación", +"controles", +"disciplina", +"botón", +"digitalización", +"cachucho", +"representación", +"nasa", +"elástico", +"gama", +"espadas", +"algo", +"ayudorio", +"colesteatoma", +"changarro", +"freones", +"enojo", +"bohemia", +"guardiana", +"abaderna", +"ambo", +"debilitación", +"ajenabe", +"ciboulette", +"faringe", +"autopista", +"hiperinflación", +"lexicólogo", +"manganeta", +"medortofobia", +"biotrón", +"tiovivos", +"lonche", +"ozono", +"monólogo", +"fobias", +"alfeñique", +"albergue", +"desbordamiento", +"censor", +"cultivo", +"ajobero", +"porquería", +"contraguardia", +"ambos", +"calabria", +"deformación", +"maquinización", +"enervamiento", +"progenitor", +"coigüe", +"combate", +"laminina", +"quetzales", +"sobaco", +"andrón", +"apofenia", +"hermosura", +"chupamiel", +"ornitólogo", +"grama", +"agrafobias", +"morrión", +"rollo", +"descendiente", +"penal", +"ampere", +"erosión", +"corsé", +"platanales", +"gambia", +"horómetro", +"arasaríes", +"aniquilación", +"apofonía", +"guitas", +"fundación", +"ocaso", +"tse-tsé", +"chacota", +"cojudo", +"metálico", +"eblaíta", +"gritaderas", +"codicia", +"estofa", +"eudiómetro", +"engrapadora", +"libertador", +"parco", +"plató", +"yund", +"pentagrama", +"salegar", +"reconciliación", +"lombricomposta", +"subarrendamiento", +"árabe", +"altares", +"islas", +"pagadora", +"conserjería", +"travata", +"guardaespaldas", +"farota", +"racconto", +"tarso", +"cuática", +"vigilia", +"metalero", +"rivera", +"griales", +"utilero", +"abigeato", +"inflexiones", +"doxofobia", +"pletina", +"perfume", +"besana", +"rocalla", +"síntesis", +"franqueza", +"sermón", +"pitaña", +"ortofónica", +"sincelejana", +"buitres", +"tricoco", +"socerafobia", +"pontífice", +"decagramo", +"fin", +"volframio", +"corteza", +"cimbrio", +"antispasto", +"cebuano", +"falacia", +"dilofosaurio", +"propiedad", +"cancarro", +"involucro", +"cursiento", +"tobillo", +"difamación", +"clarión", +"limpieza", +"cónyuge", +"jarcia", +"kan", +"cínife", +"copto", +"modernismo", +"romaní", +"piaras", +"integridad", +"septimino", +"anticresista", +"machete", +"esmeralda", +"argentpel", +"contrapicado", +"bradípodo", +"homeóptote", +"fantasmacopo", +"apócopa", +"vendedora", +"endocarditis", +"sobrevesta", +"concreto", +"paquebote", +"sótano", +"crush", +"brochal", +"aherrojamiento", +"bordado", +"estadio", +"bacía", +"biota", +"examinadoras", +"pigüelo", +"bastonazo", +"interlingua", +"fiaca", +"pope", +"Amazonías", +"mateo", +"broncorrea", +"relaciones", +"lexemas", +"vegetación", +"ahorría", +"cotubia", +"charrasca", +"mostaza", +"algoritmo secuencial", +"maternidad", +"merlán", +"talleres", +"anagrama", +"esperma", +"escobillón", +"melíes", +"sebo", +"parascevedecatriafobia", +"cebolla", +"estupefacción", +"trote", +"anuptafobia", +"buzo", +"subarrendatario", +"aerobiología", +"cloroplasto", +"comistrajo", +"chulengo", +"panadería", +"incisivo", +"papadgo", +"lavanco", +"añejados", +"religión", +"cloruro de sodio", +"bailongo", +"chauna", +"corolario", +"rajadora", +"aceleratriz", +"tortilla", +"grolia", +"asoleamiento", +"curadoras", +"bluyín", +"límite", +"metier", +"mercancía", +"niobio", +"ñadi", +"geología", +"psicofonía", +"escurridor", +"electrónico", +"aborto", +"yolloxochitl", +"malaventura", +"factura", +"mallo", +"escarlata", +"vejestorio", +"fitness", +"circuncisión", +"pimentón", +"barqueta", +"comerciales", +"penes", +"sugerencia", +"desembarcadero", +"SOAP", +"principio", +"cabillero", +"botes", +"gulag", +"caraos", +"funicular", +"webcómic", +"estaurofobia", +"phrasal verb", +"caldero", +"morbosidad", +"guardarropa", +"compositoras", +"yunta", +"tutoría", +"erario", +"bises", +"caramida", +"curio", +"calabrote", +"pequeto", +"comblezo", +"oliva", +"lexicógrafo", +"ico-ico", +"sacerdocio", +"barrida", +"titiense", +"albatico", +"bismuto", +"tejavana", +"estuquista", +"vallenatos", +"chuto", +"intransigencia", +"maniqueísmo", +"sístole", +"folclore", +"guardín", +"perdón", +"embargo", +"decepción", +"pipa", +"ambiente", +"heladora", +"derretimiento", +"abacalera", +"ababa", +"ace", +"naesqui", +"filar", +"sobra", +"chingadera", +"pescado", +"tapabarriga", +"cucharilla", +"soldador", +"chinorri", +"reportador", +"salvadoreñismo", +"sépalo", +"salificación", +"paprika", +"cultivaciones", +"auxómetro", +"chola", +"acociles", +"fasces", +"guardalobo", +"mosqueríos", +"injerencia", +"varillas", +"apateísmo", +"jol", +"retiramiento", +"tenuidad", +"precipitación", +"mambo", +"lirio", +"precerámica", +"barbote", +"hipoblasto", +"accesorias", +"SVN", +"ñeque", +"circonio", +"abejeras", +"égloga", +"alejandría", +"epizootia", +"borrajes", +"entrenamientos", +"vate", +"cemíe", +"escolecifobia", +"mirmecofobia", +"estípite", +"omicrones", +"kol", +"astrea", +"pantruca", +"gambucero", +"abracijo", +"teja", +"buspijirí", +"basicerina", +"subíndice", +"relinga", +"estrangulamiento", +"orejas", +"filofobia", +"surmenage", +"abadía", +"corambre", +"electromagnetismo", +"adyacencia", +"petrología", +"creación", +"tapajuntas", +"sinopsis", +"apartadijo", +"catanca", +"soya", +"techo", +"empastelamiento", +"superíndice", +"recantón", +"loca", +"vasares", +"disimulo", +"parcela", +"haces", +"aceituno", +"sinusitis", +"caño", +"quilo", +"septiembre", +"raedera", +"monologismo", +"toesa", +"onza", +"garrocha", +"propietaria", +"enriscamiento", +"metraje", +"alusiones", +"quilantal", +"ornitomancia", +"monopsonio", +"kahué", +"casuística", +"cayos", +"yihad", +"grapa", +"jugo", +"triario", +"pruebas", +"bastón", +"purgamientos", +"geniquén", +"acaloro", +"edicto", +"estoqueador", +"autoanulación", +"lubricante", +"panerillo", +"ngeregüe", +"poronga", +"regimiento", +"verbalización", +"voluntario", +"pepónide", +"pasaporte", +"dinero", +"emoción", +"escriño", +"exoesqueletos", +"metamorfosis", +"papayero", +"foul", +"insomnio", +"diligenciamiento", +"travesío", +"chicote", +"bocetos", +"enciclopedia", +"incomparecencia", +"roble", +"decágono", +"hospitalidad", +"anga", +"umbilical", +"renegado", +"acampada", +"espectáculo", +"subidón", +"regañada", +"higos", +"copones", +"mortero", +"lefa", +"biruje", +"crustulario", +"lactobacilo", +"precipicio", +"taxidermista", +"logro", +"kabaschir", +"genitales", +"cazcarria", +"sara", +"ciclismo", +"pagbalílig", +"atención", +"alcazaba", +"militancia", +"pasapán", +"zigoto", +"mujerío", +"coprofobia", +"silo verdeador", +"acemite", +"listón de zócalo", +"postmodernismo", +"sepulturera", +"ceutí", +"chancleta", +"quejas", +"almueza", +"inquietudes", +"vesícula", +"berceo", +"aura", +"tetera", +"encajonamiento", +"cid", +"comentario", +"verme", +"cineclub", +"cardonal", +"guacales", +"coquina", +"ecuación", +"góndola", +"ununseptio", +"plantas", +"kara-angolán", +"casimodo", +"decomiso", +"rubio", +"kumquat", +"abrótano", +"abiotrofia", +"capote", +"foque", +"pudores", +"canonjía", +"anclaje", +"ambuesta", +"promociones", +"rémora", +"pino", +"coleadero", +"furor", +"compulsación", +"glamures", +"imprudencia", +"aspa", +"colmenar", +"aeronauta", +"dramatismo", +"acederaque", +"pancerno", +"ennegrecimiento", +"palos", +"hanzi", +"disomnia", +"envero", +"gaviota", +"chalilo", +"puntuaciones", +"arcade", +"comboloyo", +"temporalización", +"recurrente", +"cuento", +"saciedad", +"desestimación", +"carril", +"aciago", +"macuñ", +"gerontocidio", +"argaviezo", +"anatocismo", +"posible", +"obenque", +"calvote", +"profesores", +"aggiornamento", +"ador", +"barco", +"oscuridad", +"abolladura", +"seis", +"xerografía", +"salmer", +"algarrada", +"ejemplificación", +"californio", +"libación", +"diplodocus", +"reverencia", +"talo", +"espontaneidad", +"categorías", +"desarrollo", +"exhibela", +"zángano", +"grela", +"tajo", +"serpiente", +"pipirigallo", +"contraataguía", +"glucosa", +"salvaguardia", +"harpaxofobia", +"limosnadoras", +"disfrute", +"mictofobia", +"ántrax", +"galimatías", +"tormento", +"achares", +"novelas", +"pelotudez", +"morerías", +"espalda", +"endrino", +"diarrea", +"fantasmón", +"strike", +"traque", +"civilización", +"cajones", +"hematología", +"fandanguillo", +"argentino", +"pasivo", +"descubrición", +"esmegma", +"petrografía", +"polvareda", +"puestos", +"animosidad", +"tubo", +"adarve", +"tambor", +"marasmo", +"choclón", +"espinillas", +"guajiro", +"corrupción", +"macaes", +"baguío", +"compósitos", +"parce", +"horribilidad", +"mejilla", +"mediastino", +"fonemática", +"aalclim", +"microcefalia", +"deleite", +"guaraní", +"chipileño", +"barquillo", +"sorteo", +"fucsia", +"cianita", +"proclamamientos", +"tiliche", +"electroforesis", +"enología", +"ateísmo", +"ganadería", +"agripalma", +"predicción", +"cor", +"peta", +"aabam", +"intemperancia", +"epencéfalo", +"mantel", +"vivo", +"percepción", +"colimado", +"prostíbulo", +"púa", +"ábrego", +"jirafas", +"tranway", +"gastronomía", +"polímero", +"territorio", +"cabila", +"mitilicultura", +"magines", +"escoriaciones", +"canalizo", +"acelga", +"ombligo", +"oficial", +"codera", +"enhestadura", +"apnea", +"retroventa", +"acromatopsia", +"adelantadía", +"ulpo", +"marchitura", +"boa", +"chopera", +"amohinamiento", +"nanay", +"añagaza", +"refrendación", +"relativismo", +"rock", +"colisión elástica", +"pselismofobia", +"calzatrepas", +"parral", +"tartaleo", +"listel", +"aljamía", +"puntualidad", +"fonofobia", +"sustento", +"djerid", +"vero", +"abdicación", +"genilla", +"trasnochada", +"error", +"estrecheza", +"húngaro", +"cooperativa", +"pixel", +"bija", +"tolón", +"papirología", +"catarsis", +"malacate", +"ballestería", +"genetliaco", +"tentador", +"olorosidad", +"maque", +"combeneficiado" +}); + +const auto esARPrepositions = std::to_array({ + "hasta", + "según", + "durante", + "versus", + "des", + "ab", + "entre", + "cero", + "menos", + "pa'", + "tras", + "desde", + "adonde", + "a", + "dejante", + "ante", + "como", + "so", + "par", + "aun", + "delas", + "cabo", + "bajo", + "entro", + "mediante", + "salvo", + "sobre", + "asta", + "apud", + "para", + "en", + "circa", + "allende", + "vía", + "contra", + "amén", + "donde", + "pa", + "a la", + "á", + "sin", + "cabe", + "hacia", + "pro", + "por", + "cuando", + "de", + "con", + "hasta", + "según", + "durante", + "versus", + "des", + "ab", + "entre", + "cero", + "menos", + "pa'", + "tras", + "desde", + "adonde", + "a", + "dejante", + "ante", + "como", + "so", + "par", + "aun", + "delas", + "cabo", + "bajo", + "entro", + "mediante", + "salvo", + "sobre", + "asta", + "apud", + "para", + "en", + "circa", + "allende", + "vía", + "contra", + "amén", + "donde", + "pa", + "a la", + "á", + "sin", + "cabe", + "hacia", + "pro", + "por", + "cuando", + "de", + "durante", + "versus", + "des", + "ab", + "entre", + "cero", + "menos", + "pa'", + "tras", + "desde", + "desde", + "desde", + "adonde", + "a", +}); + +const auto esARVerbs = std::to_array({ + "apocopémonos", + "demoraba", + "proyectaba", + "abacora", + "colgaréis", + "culturizando", + "patinemos", + "acuñáremos", + "motilás", + "demudaste", + "callad", + "firmar", + "acalléis", + "apocas", + "airasen", + "purgara", + "escatimásemos", + "acaudalaba", + "achicharronás", + "considerado", + "superasteis", + "acodases", + "enarmonaba", + "chateando", + "apocaste", + "cortara", + "tarjetearse", + "afirmes", + "hubiste", + "esperamos", + "masturben", + "registrás", + "coadyuvando", + "asurarás", + "admitir", + "baboseándose", + "listas", + "regreses", + "entremeteos", + "ahusé", + "estrechases", + "deslenguásemos", + "coordinabas", + "purguen", + "empapelar", + "aproximarse", + "supera", + "acaronases", + "eliminas", + "terminad", + "comparte", + "sepultate", + "logaré", + "ahumaríais", + "asustaseis", + "acicálese", + "enlentecerse", + "comandare", + "ajetreaste", + "aherrumbras", + "aumentan", + "abroquelarás", + "emancipe", + "pitaban", + "resarciremos", + "adulteramos", + "acaballerasteis", + "marchiten", + "infligieran", + "guardés", + "abofetead", + "armad", + "apoque", + "cáete", + "agripases", + "abrioláis", + "fondeás", + "alquiles", + "complementaríamos", + "abondábamos", + "bancarán", + "atórate", + "aflojara", + "abollado", + "desafrancesando", + "hiciste", + "embarazar", + "atracabais", + "enjuiciéis", + "ceder", + "alegrara", + "amañando", + "gradecer", + "mancillando", + "impactá", + "desinhibiríais", + "herido", + "afirmarían", + "adornad", + "amasa", + "pitás", + "velaréis", + "distanciaría", + "decidirías", + "alburearon", + "obligarías", + "cebarían", + "animicemos", + "bienviviera", + "pololeando", + "rehusáramos", + "abozalaban", + "abalanzarían", + "condenaré", + "piraron", + "nutriremos", + "aherrumbráramos", + "registráremos", + "chimara", + "ayudaste", + "fijaras", + "agráviate", + "urbanizabais", + "descobijáramos", + "ponete", + "acatarrándose", + "caramelizaré", + "desagracio", + "bienviví", + "irrumpieseis", + "enjugar", + "extendido", + "peinará", + "asustaríamos", + "limitareis", + "abastionás", + "golpeemos", + "encurdelarse", + "ajuiciarían", + "castrarás", + "deslenguaste", + "experimentando", + "salvasen", + "aprovechare", + "terminás", + "confiaban", + "acabalás", + "portaréis", + "registran", + "abisela", + "abocetaras", + "jodiendo", + "indignado", + "ciscarás", + "rechiflen", + "atragantas", + "puebla", + "embarrareis", + "apurara", + "saboréense", + "erro", + "petabais", + "acuñamos", + "abreviar", + "acribilláramos", + "abetunaran", + "asumamos", + "esperecer", + "sobrentiéndase", + "ungisteis", + "espantaba", + "descúbrete", + "persuadirían", + "ara", + "acabes", + "pichicatead", + "conferencias", + "enjugamos", + "culturizasteis", + "mezclareis", + "arribáremos", + "alarmaran", + "lograban", + "regresarías", + "aficionare", + "ayudases", + "agraviases", + "acariciando", + "ayudáis", + "cisqués", + "encalmarse", + "demudase", + "relajabas", + "contramarcar", + "aflojare", + "jorobo", + "amedrentarás", + "verijear", + "aparroquié", + "extrañaréis", + "embarrás", + "desempeñen", + "masturbé", + "farread", + "existías", + "dividámonos", + "partirse", + "conservaba", + "abocanaron", + "adulá", + "acaballerarás", + "adule", + "animamos", + "desembocando", + "acañaverearen", + "afligíamos", + "rechazado", + "ajuiciará", + "relacionate", + "autorizareis", + "urbanizáremos", + "zanqueado", + "esponjaba", + "recaer", + "piafar", + "acalambrásemos", + "descatolizarán", + "acepten", + "presentaste", + "abrazasteis", + "abarrenás", + "restañases", + "abjuro", + "abastaron", + "acaparrase", + "manifestaos", + "blandiríais", + "empeñasen", + "apuntásemos", + "mezclémonos", + "lentificando", + "irrumpiréis", + "frúnzanse", + "convirtiendo", + "bastábamos", + "congraciábamos", + "curarse", + "agradaba", + "escatimabais", + "abaratare", + "agradaré", + "asumas", + "semejado", + "chimamos", + "distinguimos", + "revelara", + "abrigaría", + "agriparás", + "llevaste", + "matar", + "tiznasteis", + "licuemos", + "abeldábamos", + "argentinizando", + "abastardes", + "reposaras", + "acaudalarías", + "descatolizad", + "armando", + "limitares", + "ralentices", + "trasnocharé", + "acabalaseis", + "abordará", + "achunté", + "desiguale", + "derelinquieron", + "achoclonaríamos", + "combata", + "titularías", + "olfatearan", + "comuniques", + "márchese", + "nublásemos", + "botabas", + "mojemos", + "ablandaríais", + "acaloré", + "aligaos", + "abollaremos", + "aflijas", + "lentificaría", + "acachetáis", + "cantar", + "habilitémonos", + "aligáramos", + "curaste", + "expulsando", + "aspiraré", + "meritar", + "sublimabas", + "prohijar", + "aballestando", + "velarizáis", + "animásemos", + "desarrollara", + "entiesaras", + "bebés", + "deshacés", + "amasado", + "apasionaste", + "utilizado", + "palabreándose", + "coserse", + "demacraba", + "achinaba", + "abejorrees", + "alcanzaba", + "achicharronaría", + "achacabais", + "esgrimí", + "auspiciabas", + "filmare", + "abarracabais", + "inscribiéremos", + "guiando", + "espantándose", + "congraciemos", + "aculturate", + "sugiriendo", + "limitad", + "abundara", + "enojaba", + "olvidaba", + "atoramos", + "envasarías", + "tapare", + "adéntrate", + "achilenaban", + "pronunciará", + "empanes", + "derribas", + "encebadá", + "rodeaseis", + "ahusará", + "apartásemos", + "difundieses", + "barrenar", + "dimitiere", + "sufrir", + "ahúsas", + "velaran", + "alejarse", + "agravás", + "pichicatean", + "exiliáis", + "acalabrotaran", + "pisar", + "achicopalándose", + "afrancaron", + "contonearas", + "colorear", + "inspiraos", + "gastéis", + "conservaren", + "acorralaban", + "germino", + "enseñara", + "acapullarse", + "cuidáramos", + "cabreasen", + "lograrías", + "abundase", + "tundiendo", + "llamaras", + "escupieses", + "lamentaban", + "amedrentaréis", + "menearás", + "sublevarías", + "haceos", + "abusases", + "cebes", + "acecharon", + "compararán", + "engrifando", + "expresamos", + "chifláremos", + "prolongases", + "palabreemos", + "aparroquiasen", + "articulabais", + "recibiereis", + "copábamos", + "rehúse", + "abajan", + "obstínate", + "golpeamos", + "omitiríamos", + "mate", + "columpiare", + "eludiendo", + "echaré", + "llegado", + "aburases", + "jimen", + "ajetreaos", + "arribarías", + "viviréis", + "aturullaríamos", + "acalambrabas", + "adore", + "ahincaran", + "distanciabas", + "cansarán", + "logré", + "decidiréis", + "agrupásemos", + "regresase", + "ajusté", + "enflacasen", + "abotones", + "abrasaras", + "desinhibíamos", + "nesgar", + "hubo", + "ulpeando", + "fatigarán", + "abujaron", + "acusáis", + "valorizarás", + "acañavereará", + "elevaría", + "incomuniques", + "acamellonarais", + "circunscribiríamos", + "entrenaba", + "sazonase", + "menéate", + "tildando", + "desigualá", + "usar", + "carretéate", + "hollando", + "brindémonos", + "alarmares", + "hablarás", + "abalear", + "cepíllate", + "cabizbajarse", + "reincidiera", + "pepenas", + "despesa", + "malviviría", + "abrevio", + "debilitabais", + "somos", + "abarrenemos", + "torture", + "chirriando", + "remedando", + "escorarse", + "agilitando", + "reposaseis", + "pararen", + "acompañad", + "cantáis", + "contornear", + "corté", + "sumarán", + "emitiésemos", + "desviarais", + "alquilá", + "acoses", + "persuadieras", + "aparroquianó", + "ahitarais", + "apasionarías", + "aparroquiaban", + "canta", + "inhabilitarías", + "atracará", + "sosegarás", + "reclamamos", + "sepultarán", + "patinaron", + "dividieran", + "encebádese", + "olfateábamos", + "trenzarás", + "acanalléis", + "rehacete", + "entiesasteis", + "acorralares", + "embravecer", + "sálvese", + "regalaríais", + "engalanad", + "proporciones", + "recaemos", + "abreviará", + "aseveran", + "desengañilases", + "complementáis", + "difunde", + "aligeraban", + "peinase", + "nebulizamos", + "elidas", + "cundierais", + "uniformaran", + "fotocopiado", + "complementas", + "abriesen", + "exiliabais", + "encapirotaríais", + "guerrilleando", + "ahógate", + "asediaré", + "decaéis", + "aflojo", + "pelasen", + "agrupan", + "aislar", + "contonearen", + "informáremos", + "ajustasen", + "ahitaras", + "descarrilar", + "juego", + "revelándose", + "secularizaseis", + "copearíamos", + "terminé", + "carrilearse", + "asemejará", + "acicateando", + "abondéis", + "acholas", + "contoneareis", + "exhalando", + "vaporizando", + "adornarías", + "combarse", + "aflojáramos", + "abetunarías", + "regresaba", + "opinar", + "hipotecando", + "encantasteis", + "apuntarás", + "drunk", + "achilenaríais", + "encorajinaran", + "abucheases", + "sublevás", + "sindicare", + "adulteren", + "balancearíais", + "enarmoná", + "embotasen", + "acojonando", + "ajuiciaré", + "destungando", + "difundieres", + "ungiremos", + "langüetear", + "germinar", + "rehúsate", + "adecuarías", + "fatigaron", + "aturrullareis", + "portaríamos", + "allanaba", + "esperaréis", + "eludirse", + "atascase", + "glorificando", + "nutrí", + "acodalando", + "cundieras", + "matare", + "persuadiendo", + "acarona", + "cumpláis", + "aciguataremos", + "decretaría", + "salvad", + "prolongue", + "poblarías", + "apocoparais", + "chapuzan", + "sosegare", + "interesaras", + "cuajabas", + "abriguemos", + "satisficiereis", + "aligaseis", + "abrevien", + "abrotoñase", + "márchate", + "marcharen", + "radiografía", + "cabreaba", + "arrestarás", + "acebadaban", + "abaratan", + "comparas", + "distinguirse", + "diputar", + "curaos", + "suavizas", + "ajobarse", + "guardases", + "forzaríamos", + "abríos", + "aparrado", + "atrasan", + "agradé", + "decretásemos", + "desagraciáis", + "ajetreemos", + "formarse", + "evacuó", + "togue", + "zureo", + "ahusásemos", + "rebelábamos", + "esperabas", + "sindicás", + "aborronáramos", + "farreas", + "llamaseis", + "complicando", + "sentarían", + "abarloaste", + "perfeccionémonos", + "atraséis", + "valoricen", + "cumpliere", + "desinformar", + "complementases", + "irrumpieres", + "baboseasen", + "halles", + "ir", + "españoleando", + "apostamos", + "doren", + "abajaban", + "acachetarán", + "desapegando", + "apedreáramos", + "lateás", + "lapidificaran", + "descapirotarais", + "lloverse", + "desigualaría", + "aproveche", + "hieles", + "achispas", + "embromara", + "desagarraremos", + "abravareis", + "coordinan", + "abigarran", + "consumisteis", + "encolerizándose", + "acaldabas", + "uniformareis", + "escindieren", + "derelinquiremos", + "trasplantar", + "residimos", + "juntáramos", + "ñublemos", + "apuntaos", + "correspondamos", + "presumimos", + "coludiendo", + "abestionando", + "asestá", + "liba", + "abastardés", + "difundíamos", + "enraizó", + "adecúese", + "empeñarán", + "apasionas", + "menearéis", + "olfatearen", + "mantengo", + "olfateen", + "conciliabas", + "aguaite", + "migro", + "aproximáis", + "ruborizasteis", + "aglomeré", + "acicalaré", + "asestaba", + "forzándose", + "acuciando", + "sazonareis", + "vendo", + "asumirá", + "festejar", + "clavabais", + "elevemos", + "apocaban", + "alarman", + "llamar", + "bienviviríais", + "acaparra", + "chimabas", + "alegraría", + "plasmar", + "lexicalizaríais", + "abromar", + "manifestarían", + "salven", + "afilo", + "copeando", + "habilitaríamos", + "yagamos", + "suavizad", + "aculturaron", + "acairelare", + "acañavereásemos", + "abaluartasteis", + "acampanar", + "aficionarían", + "aligeras", + "aparroquiaseis", + "deslengua", + "criaban", + "aplaudiereis", + "escabiaren", + "rebatís", + "falsificar", + "catetear", + "abarquillarás", + "escribás", + "deriva", + "desagraciémonos", + "acaballonaras", + "proyectá", + "olvidarais", + "acañavereabais", + "forjar", + "establecido", + "abrillantareis", + "peinate", + "aborriere", + "acedas", + "atajando", + "limitarás", + "añejáis", + "expresasen", + "abarato", + "sindicara", + "falcacear", + "rescindiendo", + "desafrancesamos", + "incomuníquese", + "envasaríais", + "abarquillase", + "importunaría", + "negaré", + "doraba", + "signo", + "quebrarán", + "desencantaran", + "abejoneaban", + "acampanáis", + "asignaríamos", + "cuajaban", + "uniformo", + "desayunases", + "acoger", + "separó", + "tupo", + "encebadare", + "motilaríamos", + "arrasase", + "coordinaras", + "escribió", + "arreglé", + "encantan", + "agachabas", + "achispés", + "rebutirán", + "alambicando", + "desasnar", + "equivocarán", + "sintiéndose", + "tupamos", + "igualasen", + "abozalabais", + "arregentando", + "contorneando", + "bandearen", + "regaré", + "arreglate", + "achuntar", + "comescoláramos", + "dorarse", + "frunzan", + "descatolizáremos", + "disuadieseis", + "derivarse", + "semejás", + "torrar", + "esgrimíais", + "afinaréis", + "hacienda", + "acollar", + "enfrentaren", + "embarró", + "descoordináremos", + "helenizaren", + "enjuiciaré", + "abarrenes", + "acoderaréis", + "guíe", + "admitieran", + "abancaló", + "remangando", + "animizaran", + "sometiendo", + "añejaban", + "apartá", + "abrasasteis", + "fulciera", + "abortáremos", + "eyacular", + "secularizaste", + "verificar", + "picaneando", + "auspiciaría", + "depurando", + "atontaríamos", + "aguardes", + "engrupieres", + "apocopase", + "enfrentándose", + "achoclonará", + "comunicaos", + "esperanzares", + "abancalemos", + "embotase", + "cebáremos", + "mojareis", + "eches", + "compartan", + "acaudalaban", + "encomendarás", + "agrupémonos", + "juzgado", + "lexicalizaréis", + "marrullando", + "reincidirías", + "reclamaseis", + "atrasaríais", + "pandeás", + "enajenar", + "arriscando", + "castrando", + "ahumaremos", + "enarenaron", + "abarbetarán", + "obligarás", + "demacramos", + "basás", + "heredar", + "adularán", + "tiznáis", + "aturrullémonos", + "péinense", + "marchitara", + "acabestrillarás", + "bandearéis", + "mezclaba", + "aparroquiara", + "registremos", + "abetunar", + "correspondiendo", + "adulterábamos", + "emocionaríamos", + "acelero", + "azuzábamos", + "avezarás", + "abejonearías", + "abastardé", + "asoláramos", + "ahorrasteis", + "sazonabais", + "abotonaréis", + "importunen", + "obcéquese", + "saque", + "limitaríamos", + "molestando", + "zambullendo", + "coincidirías", + "acabildarían", + "cuajarían", + "palabreás", + "agravares", + "balanceaseis", + "enseñaremos", + "velarizábamos", + "gasta", + "desgraciaremos", + "despedite", + "acribillabas", + "traqueteando", + "abaratáremos", + "cavilando", + "abatanáremos", + "decidirían", + "veléis", + "dedicare", + "hinchaba", + "mezo", + "acabas", + "achiquités", + "véndanse", + "chapuzareis", + "caramelizarías", + "coparías", + "columpiá", + "cortar", + "pandeémonos", + "abadernéis", + "extenuare", + "manéjate", + "pirca", + "agachaba", + "reinventase", + "desinhibiremos", + "ganado", + "estresaba", + "arregles", + "acodemos", + "enllentecer", + "habilitad", + "saboreé", + "espantaseis", + "defalcando", + "sosegaren", + "auscultare", + "firmo", + "abusá", + "achacara", + "atusando", + "agüero", + "descartáremos", + "embarraos", + "basés", + "limitará", + "embotarais", + "expugnando", + "reverse", + "acañonease", + "demorasteis", + "flípate", + "oigo", + "conquerir", + "radicar", + "afirmabas", + "desemejáramos", + "empercudías", + "emitid", + "marchaos", + "agruparse", + "acicale", + "arreglen", + "reina", + "decalcificar", + "enmudecer", + "acaronar", + "estreso", + "vivaqueando", + "hiciesen", + "aparroquianase", + "obligá", + "exilian", + "ahoguéis", + "amedrentás", + "carreteo", + "enfrenaré", + "encorajinó", + "suicide", + "dividas", + "echa", + "abozalemos", + "cuájate", + "aceleraras", + "agilitarías", + "cuajaras", + "labrar", + "conciliás", + "existían", + "abono", + "aliareis", + "alegre", + "engalanarais", + "aproxímense", + "consultar", + "patinaría", + "beneficiá", + "licúa", + "ocanando", + "reinventáis", + "quebraban", + "achicharronemos", + "acoquinara", + "chiflás", + "descascaráremos", + "percibirás", + "administraremos", + "acamaremos", + "compleméntese", + "colegiarían", + "engrupirán", + "abanar", + "esperanzabais", + "añejen", + "forrando", + "batid", + "enjauléis", + "aceleráremos", + "banquen", + "abrasáremos", + "apuntaron", + "orientare", + "derribarais", + "chiflarse", + "lleguémonos", + "avívese", + "hartáis", + "taparía", + "alzases", + "reescribías", + "sacando", + "hallarás", + "cuidasteis", + "contoneáremos", + "separémonos", + "abozalases", + "auxilié", + "aumentaras", + "desarrollé", + "eludíais", + "encuadrar", + "contagies", + "encolerizasen", + "especificando", + "emociona", + "chorearás", + "aprovecharás", + "agilizaríamos", + "rebullendo", + "prescribiendo", + "sublevá", + "atracaban", + "proporcionaríais", + "demores", + "achucháis", + "acribillaríamos", + "alburee", + "frunció", + "enfrentémonos", + "sublevábamos", + "mateando", + "criticar", + "atizonaré", + "pichicatearíais", + "gobernándose", + "prestásemos", + "vengaríamos", + "mezcláis", + "atizate", + "capturar", + "ajobaba", + "exiliad", + "confiáramos", + "matases", + "evacuaren", + "animares", + "achantarás", + "abatataseis", + "choreáis", + "organizarán", + "acañonearías", + "asolapar", + "acochinando", + "aquejando", + "derivarían", + "animas", + "debito", + "salvaríamos", + "aclaró", + "pelemos", + "acampaste", + "difundió", + "bifurcan", + "atragantándose", + "lisiemos", + "abátase", + "acojónense", + "delinquiré", + "adéntrense", + "abozalaréis", + "acostareis", + "caramelizamos", + "aunaríamos", + "avivasen", + "taquillando", + "picaréis", + "aceleraseis", + "recurras", + "redefinid", + "desagracies", + "hablarías", + "encargarse", + "apercancaos", + "extrañándose", + "atracasen", + "abravaron", + "lapidando", + "solicitar", + "aculatar", + "adentra", + "sobreentiéndete", + "auxiliaste", + "enarcando", + "emitieseis", + "forzaré", + "acelerareis", + "pacta", + "importunáramos", + "accionáramos", + "achantad", + "desgraciaríamos", + "abocetare", + "abominemos", + "plañendo", + "demorareis", + "muso", + "agilitaríamos", + "confíese", + "acoquinaríais", + "quebraréis", + "sentar", + "adentrará", + "mojara", + "regresate", + "forzase", + "asesando", + "reclamen", + "adulen", + "citaréis", + "desacelerar", + "interesaos", + "desuniríamos", + "adoptábamos", + "asolado", + "acalambrábamos", + "aguantases", + "abismarán", + "alastran", + "aclaraban", + "lisiá", + "aherrumbraren", + "abreviases", + "aparroquiad", + "ahumaría", + "aparroquiábamos", + "excarcelaste", + "olfatear", + "accionábamos", + "abejoneareis", + "decidiéndose", + "ajetrearas", + "refriega", + "preocupad", + "abroqueléis", + "avergonzarán", + "ajustate", + "endiñar", + "concretando", + "acantilar", + "disculparás", + "ahusáremos", + "lastimaréis", + "concesiones", + "desagarráramos", + "chivar", + "calmaran", + "arreglar", + "abochornara", + "motive", + "chumbando", + "abone", + "nudran", + "curtirán", + "lateabas", + "demorando", + "comescolarais", + "cita", + "curémonos", + "rebelaremos", + "penaría", + "abura", + "abatieron", + "recibid", + "complementamos", + "encapirotéis", + "agilitas", + "registres", + "acanallé", + "incentivar", + "aumentaré", + "reclamémonos", + "acaballerés", + "chiflándose", + "cubrieren", + "abarracáremos", + "forzabas", + "farreases", + "helenizaríamos", + "abiselara", + "hallasteis", + "elevad", + "abrogase", + "lastimabas", + "lavar", + "acaballeraron", + "acaparraría", + "emborrachamos", + "pagas", + "tupieras", + "cumpliésemos", + "debilitar", + "marchaba", + "aceptando", + "alardeo", + "cabreado", + "autorizarán", + "pelase", + "yagáis", + "aturullar", + "achispo", + "alborotó", + "decuplicando", + "desagraciá", + "esquila", + "autorizaríamos", + "chimá", + "desincrustando", + "aparataron", + "enfrentaron", + "acamellonaran", + "aparearon", + "yaceremos", + "eclosionar", + "equivocaran", + "organicés", + "calmás", + "pernoctar", + "aburra", + "usaríais", + "braceado", + "desajacando", + "empanaran", + "explore", + "amasaríais", + "quejarais", + "aleccionase", + "censurando", + "escribiéramos", + "empiluchar", + "abancalaste", + "reharían", + "registrarse", + "acusaren", + "agraciado", + "calo", + "esgrime", + "desayunáramos", + "restallar", + "abollabas", + "constituir", + "zunchar", + "accionaseis", + "saboreásemos", + "ganáramos", + "pagó", + "aproximáramos", + "abastionabas", + "blanden", + "aerodinamizando", + "emperezar", + "emplatar", + "franjo", + "blandieses", + "fracturabas", + "acaramelas", + "desinhibiesen", + "aquellar", + "liaréis", + "afijo", + "coleándose", + "coincidieras", + "condené", + "chapuzaría", + "agalla", + "excoriarse", + "perfeccionaba", + "achinás", + "sobreentiéndase", + "apostara", + "cubrirían", + "peinaren", + "abriolase", + "cabreaos", + "demude", + "reclamaran", + "escoriaré", + "clavaréis", + "auxilian", + "chuzar", + "bastémonos", + "resígnese", + "incomunicara", + "aborrono", + "abarloaos", + "acebadando", + "fotocopias", + "distanciá", + "combarías", + "identifican", + "existid", + "percutiréis", + "achoclonáis", + "airee", + "disparareis", + "castrémonos", + "lisiás", + "rechiflo", + "abroncáis", + "acabale", + "ajobaste", + "abordaría", + "aculturabais", + "congelaréis", + "chucheando", + "cuidase", + "surciesen", + "marchasen", + "bronceemos", + "mandando", + "achantaré", + "caramelice", + "emocionen", + "acalabrotáremos", + "declarasteis", + "afectasteis", + "impactaren", + "clausula", + "persististeis", + "adulteró", + "cale", + "suspenso", + "hastío", + "encorajines", + "abrogarías", + "atrasarse", + "colmare", + "acicatear", + "exhibirse", + "apasionarían", + "codiciado", + "relacionan", + "pitasteis", + "haz", + "abadernó", + "abroquelabas", + "presumiéremos", + "charlando", + "encargas", + "velate", + "catequizando", + "apuntaré", + "manifestemos", + "abastaréis", + "poblá", + "adulad", + "acaparrarán", + "reportándose", + "retundían", + "caramelizaban", + "aproximaos", + "relate", + "animizarías", + "mortar", + "acumulés", + "embromés", + "aislado", + "achiquitando", + "ajetreándose", + "lastimaríamos", + "colegiáremos", + "marmolear", + "beneficiasen", + "abochornásemos", + "absortaban", + "encomendamos", + "organizaseis", + "distinguiereis", + "vale", + "fracturasteis", + "retirés", + "perfeccionaras", + "declararéis", + "emites", + "encumbráramos", + "castrásemos", + "extendiendo", + "abullonábamos", + "apencando", + "aparroquiémonos", + "marchité", + "aisláremos", + "acampareis", + "sobrescederse", + "aspirase", + "rasgués", + "cerciora", + "coludan", + "escabiásemos", + "agravarían", + "sindicarás", + "agrupare", + "beba", + "abastamos", + "adecué", + "despertaos", + "coquificar", + "achiquitaban", + "dialogo", + "adelgazando", + "trapicarse", + "tira", + "reclamases", + "pulirás", + "contentar", + "pagare", + "ganaríais", + "lateaba", + "desempeñasteis", + "abortaríais", + "vengabas", + "farrearen", + "amedraron", + "enseñan", + "alastres", + "desembarcar", + "excorio", + "derelinquieseis", + "negado", + "achicharronaréis", + "calmá", + "jotear", + "desencantarás", + "despertaréis", + "velarice", + "acaldarían", + "dejasteis", + "despiojando", + "arrebolase", + "afijaran", + "abroman", + "mandaría", + "doblase", + "asistieres", + "forrá", + "ayudémonos", + "farrearán", + "derribareis", + "bronceará", + "fingirás", + "abollonaréis", + "saboreate", + "abismareis", + "emitiríamos", + "auxiliante", + "auspiciaríais", + "abiselo", + "acobardáis", + "abetunaseis", + "fracturarse", + "pagamos", + "desatracando", + "sobreentendiendo", + "combará", + "afirmaseis", + "bullir", + "tupió", + "fatigáramos", + "abarquillaba", + "acholase", + "embromáis", + "sanforizando", + "excarcelad", + "gobernémonos", + "abastaré", + "relajabais", + "acanallamos", + "curtías", + "tapases", + "alborotaríamos", + "desagraciarían", + "acalorémonos", + "partirá", + "asesinamos", + "igualéis", + "abataten", + "aromas", + "comunicaban", + "encargaríamos", + "finalizases", + "bifurques", + "arrestabais", + "interesáramos", + "acalabrotarías", + "achuntarán", + "aborronó", + "añejásemos", + "abroncarás", + "junto", + "dedico", + "titulás", + "abacharía", + "abatojaron", + "absortas", + "abroncara", + "abigarraban", + "animizara", + "malviviéramos", + "acompaño", + "afilarías", + "ablandasteis", + "acribillarán", + "espantaras", + "achancó", + "empeñas", + "arronchar", + "custodiando", + "enfrenaría", + "piraremos", + "fluctuando", + "estresad", + "ahogaras", + "aplacar", + "achicharronásemos", + "enarenarás", + "desarrollaste", + "helabas", + "apareó", + "abochornasen", + "acuitaba", + "achantaseis", + "regañadas", + "chapuzáremos", + "acañavereéis", + "cumplieses", + "alquilad", + "guíese", + "abruma", + "limitaría", + "abocardarais", + "deformare", + "esponjases", + "empeloten", + "escoriarías", + "modernizarais", + "apuntara", + "persistid", + "abrocharas", + "disuada", + "abrirán", + "abusare", + "acabalaban", + "abanderaren", + "colearais", + "achiquitáramos", + "cabrilleando", + "malvivir", + "calló", + "apuñuscando", + "encargaran", + "acaballonaré", + "lexicalizábamos", + "abetunaba", + "ahorramos", + "existan", + "abarquillen", + "retiraríamos", + "pitaos", + "derribara", + "desengañilá", + "dinamizás", + "desarraigo", + "acoderas", + "acobardés", + "botaba", + "proclamareis", + "opiló", + "puñendo", + "confirmaron", + "liase", + "engordecer", + "acarean", + "agilitabas", + "impresionáramos", + "reveles", + "envasaré", + "briscando", + "aterrizás", + "comunicaríamos", + "articularse", + "acostáis", + "haremos", + "acusásemos", + "pronunciabais", + "abordares", + "blanda", + "surciremos", + "nebulizarse", + "abastardaras", + "cojo", + "abejeara", + "apasione", + "cubres", + "descoordinarían", + "decapitar", + "trajinando", + "fingiere", + "desharéis", + "arribas", + "unciste", + "visionar", + "cortaran", + "ligando", + "limitéis", + "aduja", + "aprovecháremos", + "bancándose", + "abofeteaban", + "peinarían", + "confirmó", + "excoriarais", + "rodead", + "prolongaría", + "flojear", + "escatimás", + "desgraciabais", + "prestare", + "avivare", + "armares", + "lentifícate", + "embazarse", + "asigne", + "refrenaríais", + "acachetés", + "disuadiría", + "deslenguara", + "descuajaringando", + "impactares", + "modernizate", + "hicieseis", + "opilaban", + "remunerare", + "cebáis", + "forzasteis", + "ajustemos", + "atravesabais", + "castigarías", + "bastaren", + "corriéndose", + "desencantases", + "esgrima", + "reincidiéramos", + "caramelizares", + "encomendarais", + "asediaren", + "armara", + "declaramos", + "decidáis", + "urgir", + "infligiréis", + "comunicáremos", + "cansándose", + "munetear", + "peinaos", + "mezclara", + "nudriéramos", + "desafrancese", + "abretones", + "meneasen", + "copeare", + "gobernarais", + "van", + "aciguatasteis", + "sazonaríamos", + "abonancés", + "achicharronaran", + "afijéis", + "arreglaremos", + "gobernarías", + "autorizás", + "abotoná", + "brindaríamos", + "fliparé", + "poniendo", + "excarcelarais", + "ponía", + "asegurando", + "finalizaste", + "partiéramos", + "curtiese", + "amostazares", + "culturizaseis", + "abanearen", + "percibás", + "congraciaos", + "trasfregando", + "obcecare", + "velad", + "amasaban", + "dedicarás", + "mojaréis", + "ensalzaras", + "ajetreéis", + "perfeccionaré", + "emperezó", + "escatiman", + "agrandaríamos", + "apasionáremos", + "sublimaste", + "asumirán", + "tildá", + "cobijo", + "aguantaríamos", + "cumpliréis", + "acompañara", + "accidentándose", + "cumples", + "acampáremos", + "escoriaríamos", + "chuponeando", + "estallando", + "sindicaréis", + "juramentarais", + "afrancaste", + "portabais", + "acostaré", + "jugaron", + "cometeos", + "culminar", + "adorásemos", + "farrearás", + "alastrare", + "aproximaríamos", + "abroméis", + "golpeares", + "azuzaren", + "discutieseis", + "apocó", + "circunscribirían", + "desposábamos", + "coludiereis", + "abarrotá", + "regresó", + "abachad", + "esponjaos", + "encontrar", + "levantásemos", + "enfrentaremos", + "auspiciaron", + "desinsacular", + "esperanzaré", + "rehazte", + "bregando", + "acojonáis", + "adscribieran", + "abroquelarías", + "amedrentemos", + "acamaréis", + "relajamos", + "rajáramos", + "emperezo", + "rasgás", + "masturbáramos", + "licuares", + "aligerare", + "crinando", + "apedreemos", + "modernices", + "helaban", + "comunicares", + "hacete", + "connotare", + "desafrancesá", + "redefináis", + "abatiereis", + "exilias", + "afligiereis", + "presentar", + "choreas", + "acorta", + "acañavereaseis", + "achantaréis", + "copeareis", + "atracaos", + "distanció", + "dedicaseis", + "ganás", + "farrease", + "accidentaremos", + "brindando", + "dedicaría", + "medio", + "amasabas", + "ablandaréis", + "apartará", + "purgaren", + "finges", + "abadernaríais", + "identifíquense", + "atrases", + "enfocarán", + "asolaran", + "temer", + "asignarais", + "circunscribiréis", + "botasteis", + "comuníquese", + "discernir", + "abriendo", + "impactándose", + "extraigo", + "emperezasen", + "agripé", + "ruborizarais", + "deslenguas", + "asuraba", + "demacrarais", + "acaireles", + "aherrumbraron", + "secularícese", + "escoréis", + "relacionarás", + "crujiere", + "evacuaríamos", + "acairelaran", + "agilitaré", + "ajuiciásemos", + "acamasen", + "chivad", + "doblen", + "sobrealimentar", + "despintaren", + "cumplan", + "apandaos", + "lisiaseis", + "agilitasen", + "lamentasteis", + "copaste", + "merito", + "mangar", + "embotaremos", + "ungen", + "revelaré", + "escindiríamos", + "acuñaré", + "olfatearíais", + "nebulizando", + "consumieron", + "insistieron", + "opilarais", + "armás", + "sublimaríamos", + "encrasar", + "preocuparen", + "rasate", + "desgárrate", + "saborease", + "atorare", + "arregláis", + "aprestar", + "congeléis", + "abozalábamos", + "abofeteamos", + "asesinares", + "asignad", + "fijases", + "definíos", + "amedraba", + "acicalabais", + "penaremos", + "saboréate", + "abarajan", + "confiando", + "desalabando", + "ahincaban", + "satisfáganse", + "persistiendo", + "adoptés", + "encapirotábamos", + "adorara", + "socializar", + "pondrían", + "fluctuar", + "aguantábamos", + "adornar", + "hendiendo", + "aturullarían", + "trenzasen", + "abanicando", + "enojaron", + "abrotoñen", + "portaste", + "acorralamos", + "castigáramos", + "acarrearíais", + "demorarías", + "manejaras", + "despegue", + "yuxtaponiéndose", + "alastraría", + "creer", + "atracamos", + "contentarais", + "descartases", + "achicharronéis", + "fijaste", + "accionarías", + "confiabais", + "avezaría", + "exhalases", + "abocardareis", + "acaramelaríamos", + "lexicalizarse", + "abaratara", + "acaparares", + "grave", + "recibiéndose", + "abordasteis", + "aceptar", + "impactaseis", + "salto", + "abalanzaremos", + "converjás", + "absortes", + "enflacando", + "chorean", + "albureaba", + "interésese", + "cupo", + "consumare", + "descatoliza", + "fascinar", + "batiremos", + "purgáremos", + "acortáramos", + "agacharse", + "colar", + "ignorar", + "lapidifiqué", + "perdámonos", + "habilitan", + "afirmaron", + "columpiémonos", + "escabiaréis", + "enfláquense", + "aleccionareis", + "alastrara", + "escocerse", + "agraviaréis", + "atoren", + "cortaban", + "titulabas", + "destacando", + "portarais", + "pararían", + "extrañé", + "escoraseis", + "abacorarán", + "igualas", + "acabestrillasen", + "precavido", + "hablarse", + "accidentarían", + "incumbiré", + "engriendo", + "redefina", + "envasasteis", + "acantono", + "mirado", + "esperar", + "coordinado", + "comparándose", + "chamullar", + "acordando", + "aciguatad", + "asmad", + "describe", + "excarcelabas", + "asobarcar", + "derribabais", + "casamentando", + "atravesaos", + "condenáis", + "redrando", + "ahitasteis", + "vibrare", + "envaso", + "apareémonos", + "acuñá", + "cava", + "penabas", + "añejarás", + "arrasasen", + "relajé", + "descoordinen", + "abaluarten", + "descubríais", + "aherrumbrares", + "achuntaras", + "cerrar", + "aplaudían", + "acicaléis", + "proporcionasteis", + "abocanaría", + "desvitrificando", + "sentaríamos", + "nutren", + "modernicémonos", + "afinando", + "despertaríais", + "limitarse", + "aceleraría", + "dinamizá", + "alecciónese", + "mezclaría", + "apercanco", + "tolerando", + "apedrearíamos", + "plaga", + "escoriar", + "unificasteis", + "atropando", + "espinándose", + "revés", + "encorajinaré", + "embolinando", + "petara", + "harinear", + "poblara", + "abigarrad", + "lamentaron", + "desubicado", + "marcharían", + "desafrancesate", + "gobernará", + "corvetear", + "conceptualizando", + "atóntate", + "titulándose", + "castigasteis", + "rasabas", + "acernadar", + "penaréis", + "faena", + "pelarás", + "acararon", + "aprovechábamos", + "derelinca", + "unierais", + "desviarás", + "fulcirías", + "agrupaban", + "farrean", + "abulloné", + "escabiaban", + "aliarías", + "asignó", + "farreabas", + "desmitificando", + "enjaulo", + "callarais", + "amasarán", + "zaraceando", + "laborare", + "alardeásemos", + "bandeabais", + "expresaseis", + "abarbar", + "alcanzan", + "arrebolaron", + "cuchillo", + "abiselá", + "acachetaron", + "animáis", + "acochinarse", + "infligiríamos", + "embarro", + "unirá", + "distanciaron", + "compaginé", + "achinaríamos", + "abrumáramos", + "proyecto", + "aculábamos", + "imaginaren", + "igualarás", + "inmiscuéndose", + "uniformaremos", + "ablandaría", + "abrasaran", + "aspirarais", + "usucapen", + "manifestarías", + "igualés", + "adscribiéramos", + "interrumpes", + "abollés", + "abarbetasteis", + "aterrizaseis", + "descascaraba", + "abrasan", + "saborearemos", + "abravábamos", + "abataté", + "bienvivirás", + "relacionáis", + "retirarás", + "relacionad", + "refutando", + "desahuciando", + "haría", + "limitare", + "modernizá", + "coordinaban", + "aprovechabas", + "licuasteis", + "transigir", + "bloqueando", + "lucrando", + "alejaré", + "picaran", + "ameritando", + "imprimieras", + "acedabais", + "persistamos", + "interesaseis", + "alastrasen", + "reincidiría", + "prestaríais", + "comarcar", + "enfriáramos", + "humectar", + "contentabas", + "afiliando", + "aburristeis", + "dirigiesen", + "emocionéis", + "exista", + "embarrando", + "reportáis", + "deshicieseis", + "chorearon", + "escuadronear", + "acacheteabas", + "acoquinaría", + "acoquinaban", + "brotando", + "resarciste", + "nebulizáis", + "ralentizasen", + "fruncían", + "alquilarán", + "aludieren", + "extenuáis", + "ñublara", + "desviad", + "atenuaos", + "abultasen", + "enjaularas", + "afijaríais", + "petés", + "escuchar", + "acochinabais", + "motilaríais", + "plasman", + "afilamos", + "rehacé", + "aburrirá", + "criarse", + "carreteamos", + "perfeccionáis", + "abarrotase", + "contonearían", + "rescoldando", + "reincidía", + "nudriríais", + "encorajinaron", + "desigualaos", + "adobaras", + "desafrancesarán", + "trillando", + "distribuyendo", + "pichicateamos", + "sosegase", + "difundirá", + "cortan", + "bemolizar", + "poblaba", + "traqueteo", + "apostaría", + "alardeaba", + "adornáis", + "administrábamos", + "limítese", + "achoclonemos", + "helaba", + "mateés", + "aligándose", + "cosa", + "velaba", + "escupiéramos", + "presumiéramos", + "ahorrará", + "plasmaos", + "aguardar", + "modernizases", + "bufonizando", + "gobernasen", + "nudríais", + "complacido", + "callar", + "atenuéis", + "lamenta", + "doctoro", + "descatolizáis", + "arrasareis", + "colocar", + "veros", + "acoquinamos", + "acanallaríais", + "entiznarías", + "abriguen", + "rechiflaba", + "abejorreaba", + "agilizad", + "nebuliza", + "articúlese", + "emancipare", + "unjáis", + "aparroquiane", + "procurar", + "separan", + "abigarrará", + "acosan", + "abrazaren", + "batieses", + "ayudaran", + "desalado", + "abaraje", + "abujaríais", + "escindían", + "lució", + "columpiaríais", + "acordarás", + "ludo", + "desempeñaras", + "forcémonos", + "acallares", + "circunscribe", + "desigualándose", + "imagino", + "acedaríamos", + "abrasar", + "asesinando", + "zurra", + "acarameles", + "doctorarán", + "agrediésemos", + "graznando", + "crujiréis", + "abarrotéis", + "enraízo", + "enchufado", + "lateará", + "estresares", + "abanees", + "abuchearías", + "impostando", + "callaras", + "exhalarse", + "añéjate", + "babosearse", + "levantés", + "aparroquianamos", + "aglomerarse", + "aburrirían", + "controlan", + "citaste", + "ratear", + "avive", + "acañonearíais", + "atribuyendo", + "resarciríamos", + "esponjés", + "rebanar", + "abuñuelar", + "nutrieran", + "ahogaban", + "embacémonos", + "amedren", + "echares", + "acobardan", + "acariciéis", + "baboseáis", + "liberás", + "desemeje", + "bandearíamos", + "bandean", + "ensalzaremos", + "decayeran", + "enfriar", + "doblaré", + "ahusad", + "nebulizares", + "honrar", + "abreviás", + "priser", + "abrigaré", + "alquilé", + "abrazaba", + "nebulizaron", + "une", + "embarrare", + "aleccionabais", + "aguantareis", + "abrotoñaste", + "practicado", + "abatano", + "alardeá", + "esgrimas", + "afilase", + "sulfurando", + "avergonzad", + "adulaban", + "relacionasteis", + "proclamémonos", + "achantó", + "reincidas", + "resurgiendo", + "incluso", + "columpies", + "nublases", + "acatés", + "marchases", + "eleva", + "acuitásemos", + "preocupate", + "anexo", + "acabañaran", + "explicar", + "distinguías", + "taso", + "asemejad", + "bienvivíamos", + "acañoneasteis", + "achoclono", + "recuperémonos", + "escindirás", + "acontar", + "acusaréis", + "estate", + "sosegad", + "valorizásemos", + "retiemblan", + "conseguir", + "apocopásemos", + "esperanzaría", + "congélense", + "incumban", + "acullicar", + "aglomerasteis", + "guardaríais", + "achispéis", + "desordenando", + "aparatabas", + "llevá", + "describás", + "copaseis", + "apurarais", + "sorber", + "acardenalarais", + "informaríamos", + "allanen", + "finalizarás", + "envía", + "aborriría", + "acumulares", + "erguirse", + "rebelarías", + "divertir", + "asurases", + "habla", + "ajuicies", + "oiga", + "adularéis", + "donare", + "elevaste", + "ciscase", + "afilare", + "dejará", + "agilitaseis", + "acudís", + "surcisteis", + "acarrear", + "acaudillaríamos", + "llamáremos", + "aburrás", + "pernochando", + "poner", + "monitoreando", + "atascaríamos", + "congelad", + "achancásemos", + "esperó", + "adorne", + "abarracá", + "rebujar", + "dirigir", + "hincháremos", + "viviesen", + "atontaran", + "ganándose", + "lapidificándose", + "guardáremos", + "beneficiaron", + "enjaulare", + "acacheteés", + "alegrasteis", + "rodeé", + "consolidar", + "atorabais", + "congelaré", + "copándose", + "blandirían", + "adoraréis", + "amasarse", + "gastase", + "alígate", + "satisfaré", + "maúllo", + "negaban", + "acañoneares", + "balanceado", + "perfeccionamos", + "acojonas", + "derivaran", + "abarbechare", + "vejar", + "agachases", + "disuadirá", + "jorobad", + "castra", + "aireé", + "sazonándose", + "liaremos", + "aisláramos", + "proclamase", + "acantilarías", + "trepitando", + "cloroformizar", + "abochornaseis", + "relingar", + "colindar", + "rascaría", + "portará", + "adscribiríais", + "pandearía", + "ñublaban", + "atravesaran", + "reescribieren", + "plañir", + "arribé", + "embotaren", + "pite", + "ocurriéndose", + "fingieras", + "divinar", + "heleniza", + "choreabas", + "proclamarían", + "residierais", + "choréese", + "distinguíos", + "empéñense", + "contoneabas", + "extenuásemos", + "acaldás", + "uncirían", + "abrochés", + "ahorráramos", + "amarrábamos", + "apostaren", + "pagaría", + "atenuarais", + "extrañes", + "acosáis", + "rajarás", + "abejorreen", + "descubrí", + "chalar", + "recuperaren", + "vélese", + "palabrearemos", + "cuides", + "igualaría", + "ocupado", + "descatolizarse", + "jorobarías", + "regalamos", + "emperifollá", + "acebadarás", + "entresacando", + "aclaro", + "abravá", + "ajetreasen", + "abiseló", + "enclaustrares", + "acamparíais", + "exiliásemos", + "acompañarías", + "requerer", + "llegaras", + "jugaban", + "refrenarán", + "desemejábamos", + "obceques", + "motiló", + "aguazar", + "arriendo", + "saboréese", + "habilitando", + "cabreares", + "asestaríais", + "motilés", + "equivocarse", + "pacificaremos", + "ñubláremos", + "aprovechar", + "exaltando", + "emperifolló", + "abrillanté", + "admirabas", + "reclamad", + "abujás", + "presuman", + "acañoneó", + "fumare", + "disculpás", + "limitáremos", + "encolerizaríais", + "adoremos", + "enjauláis", + "cateando", + "impresionándose", + "abriera", + "daríamos", + "cortaréis", + "amárrate", + "acordaría", + "desayunáremos", + "haciéndose", + "críen", + "abastarán", + "ablandasen", + "regresen", + "acaballerares", + "suavizaste", + "achacaran", + "gástese", + "abastasteis", + "dimite", + "circunscriben", + "apercancan", + "mezclaban", + "cansabas", + "rebelándose", + "cepillándose", + "elevamos", + "pensione", + "tostare", + "excarcelabais", + "presentaban", + "llevad", + "rodeas", + "azogando", + "engrupirás", + "rematar", + "guardémonos", + "acuerdas", + "acechaban", + "atenuaste", + "ahogase", + "rimare", + "cepíllese", + "abatojábamos", + "asumiéramos", + "conserváremos", + "existás", + "abarajáremos", + "confirmando", + "restañareis", + "agilitás", + "combatieron", + "absortabas", + "meneés", + "ajetreó", + "calmar", + "abasteciendo", + "lapidificases", + "gobernaría", + "adecuaremos", + "enarmonó", + "acanalen", + "sepultases", + "liberasen", + "imprimes", + "acribillaren", + "igualó", + "ábranse", + "corretear", + "plasmaría", + "uno", + "desengañiláramos", + "aburará", + "lapidificaré", + "abisméis", + "emocionarais", + "acabildaremos", + "exhalará", + "hincharé", + "usurpar", + "achicando", + "hallé", + "entrenando", + "concretaba", + "inspirás", + "invite", + "tupieseis", + "desigualaren", + "acanalábamos", + "acacheteabais", + "emperifollando", + "abollonaren", + "lapidificá", + "enraizaría", + "excluido", + "contonearais", + "desayunó", + "olvidasteis", + "aceitasteis", + "adoptareis", + "atrapar", + "acarásemos", + "dirijáis", + "aísles", + "consume", + "acoderad", + "atrasó", + "nublate", + "abarrotad", + "curta", + "judaizando", + "aligará", + "amedrentaseis", + "balancee", + "meneaba", + "llamáis", + "rechiflábamos", + "despintaste", + "acaldasteis", + "chapuzó", + "auspiciarás", + "presumías", + "señoreabas", + "rasaréis", + "trenzarán", + "entremetiendo", + "queman", + "perfilarán", + "embrome", + "acedabas", + "congelase", + "encovando", + "colonizando", + "derrocar", + "acañavereen", + "habremos", + "reciban", + "mates", + "acosaré", + "acelerando", + "arrepentirse", + "declararías", + "prestaos", + "trenzare", + "chimáremos", + "columpiad", + "abeldaban", + "entiznéis", + "empanés", + "amostaza", + "adulará", + "conculcar", + "fornicar", + "emprestando", + "lloviznar", + "empléense", + "rompete", + "ubicasen", + "parten", + "persistieseis", + "adjetivar", + "mateará", + "abalanzábamos", + "cansaseis", + "juramentate", + "abellacarse", + "leo", + "afiláremos", + "congratulando", + "columpiándose", + "perfilamos", + "agilizáramos", + "acebadáremos", + "afijare", + "enlosar", + "ubicado", + "avergonzaos", + "inclinando", + "manejábamos", + "aturrullés", + "parlar", + "expirar", + "abracar", + "vas", + "llegaréis", + "adorase", + "chivarais", + "acarás", + "resarciríais", + "castigasen", + "abiselares", + "guionar", + "chapuzo", + "encostrar", + "forzabais", + "cepillará", + "afranca", + "abulonaran", + "exasperar", + "entrenáis", + "espinemos", + "acorté", + "aferrar", + "reclamáremos", + "aumentare", + "abultaré", + "asemejan", + "frangiendo", + "superares", + "sulfurado", + "aturullemos", + "farreéis", + "tupiese", + "acholabas", + "ubicabais", + "comparando", + "perdiéndose", + "descoordinare", + "embromarían", + "ralentizad", + "exacerbar", + "disuadiréis", + "escarificando", + "pepénese", + "avanzare", + "dirigían", + "prestabas", + "acalorad", + "dimitiésemos", + "batiésemos", + "afligiéremos", + "hartés", + "inquietando", + "apedreáremos", + "abofetees", + "churrascar", + "decretaríais", + "recayera", + "derribaron", + "desencantaban", + "bandeo", + "desahogando", + "levantaré", + "desengañilasteis", + "enflaqués", + "descascarasteis", + "cuncunear", + "logaréis", + "guárdate", + "mansurronear", + "hinchás", + "castigábamos", + "abandonarías", + "levas", + "brillar", + "fijándose", + "tiznaré", + "abrasáramos", + "enarmonaremos", + "agredí", + "alzar", + "obstinares", + "abarrenareis", + "sintamos", + "aludan", + "chorearía", + "nudrirías", + "desemejasteis", + "achancareis", + "empercudir", + "apocando", + "enclaustraríais", + "maltrataban", + "aparataba", + "enmagrecerse", + "distinguiesen", + "escribir", + "desposare", + "acostaría", + "reposémonos", + "agacharás", + "omitiste", + "acalorarás", + "ahogáis", + "abollaríais", + "ahilaste", + "atragantaría", + "mojaseis", + "ciscabas", + "flambear", + "osare", + "échense", + "abusásemos", + "acipando", + "croajar", + "sepultaseis", + "achilenasen", + "roigo", + "existiéremos", + "marchitando", + "he", + "trasnochara", + "encargate", + "aceité", + "aproximabais", + "desengañilémonos", + "caeréis", + "rehacen", + "confiriendo", + "suavizado", + "amiguéis", + "acañavereáramos", + "ralentizaremos", + "arreglaron", + "quemándose", + "acaldaréis", + "achisparais", + "escabiáis", + "envasarais", + "regresaríamos", + "afrancarse", + "enjugabais", + "choread", + "escindo", + "chapuzaron", + "desempeñe", + "aparroquiará", + "payo", + "redefinir", + "esperanzan", + "abarajasen", + "acabestrillaseis", + "lleven", + "botare", + "acaldaseis", + "avivábamos", + "agradarse", + "acribilláremos", + "resignás", + "escociendo", + "abrotoñáis", + "atráquense", + "acertado", + "copase", + "nudresciendo", + "desimponiendo", + "sosegarán", + "caramelizate", + "consentirse", + "excoriases", + "sublevan", + "censurare", + "acedad", + "cundíais", + "vengareis", + "calmés", + "chalo", + "colegiándose", + "apartéis", + "enjaulé", + "motilé", + "desgraciad", + "criás", + "colean", + "sales", + "compare", + "ultimareis", + "achunte", + "hincharían", + "unificaseis", + "compararé", + "conservaste", + "estatificar", + "elidiríais", + "coludieren", + "autorizara", + "tildate", + "gritas", + "exigiría", + "apartan", + "combás", + "acholaría", + "aleccionábamos", + "asaltaras", + "enarenases", + "auspiciares", + "auspiciasteis", + "acairelaríais", + "noqueando", + "reportasteis", + "exhalan", + "atizáremos", + "cooptando", + "habríamos", + "inspire", + "aspirare", + "aceitaremos", + "aliñarán", + "antipatizando", + "sublevar", + "afinaban", + "castraba", + "abarquillásemos", + "inscribierais", + "abondaba", + "cantareis", + "coincidimos", + "agachéis", + "acapararás", + "coordináis", + "espínate", + "descoordinaras", + "acultúrese", + "aligeraseis", + "guardaran", + "atragantasteis", + "consumámonos", + "opilé", + "bolear", + "alardearon", + "aburujar", + "enmagrecer", + "allanar", + "abajéis", + "coincidierais", + "abetunáis", + "abetunaríamos", + "emborracharemos", + "contonee", + "atenuá", + "descascaremos", + "colara", + "demudar", + "mateáis", + "cebases", + "aconséjese", + "demore", + "marchéis", + "fracturémonos", + "errando", + "acuséis", + "ubiquémonos", + "rempujar", + "carrozar", + "acoquinas", + "brindate", + "olvides", + "encomendaron", + "cubanizar", + "espántense", + "disuadieses", + "resignarais", + "disculpe", + "reinventemos", + "aballestar", + "abultar", + "tizná", + "achilénate", + "acuitáis", + "acanalare", + "acaramelabais", + "amedrentaos", + "rechiflas", + "abjurabais", + "ahilara", + "modernizarse", + "quejaren", + "abrochare", + "ralentizás", + "avezasteis", + "confundid", + "interesasen", + "accionando", + "colectivizando", + "abroquelaré", + "pesquisar", + "fritando", + "agravaban", + "emplayar", + "opilarán", + "percibieses", + "extrañarse", + "enjuiciaba", + "olvidaré", + "definías", + "juntáis", + "choteando", + "baja", + "doblarás", + "lamentéis", + "alardeás", + "partiste", + "inspiraré", + "ministrando", + "alegraran", + "surza", + "chupando", + "encantaseis", + "disparó", + "cepillarán", + "subyaceríamos", + "alampéis", + "registráis", + "nombrar", + "ahogare", + "abocanarán", + "peregrinar", + "apandareis", + "defended", + "aballaríamos", + "cachear", + "escribieseis", + "infundás", + "joróbese", + "agripara", + "arribemos", + "ser", + "sulfuraremos", + "deshipotecar", + "mojaríais", + "aligérense", + "abandoná", + "embotaré", + "impactaron", + "motilad", + "abastardaré", + "aumentaríamos", + "achiquitase", + "aligar", + "emborrachémonos", + "amigaseis", + "acribillase", + "ruborizarán", + "apocáis", + "mirlo", + "cayéndose", + "achináis", + "denunciando", + "mojaos", + "atascate", + "curtisteis", + "recuperasen", + "abozalo", + "picaneado", + "acarease", + "checando", + "colegiaras", + "peina", + "deshabitar", + "agachaseis", + "dañar", + "cálmate", + "auspicia", + "redefiniesen", + "picoteasteis", + "fondeares", + "achinarais", + "esperancen", + "pedar", + "unifica", + "afilará", + "acompañaste", + "correspóndanse", + "agraviaran", + "doblando", + "abordareis", + "eliminaos", + "espinate", + "acampanaba", + "instalar", + "pacificaba", + "adelantrando", + "caigamos", + "aguardarían", + "aguanten", + "abancalaseis", + "abarloases", + "lentificá", + "palabreáremos", + "vestir", + "detestare", + "inflamareis", + "afectaríamos", + "impactando", + "amedraren", + "agravare", + "agrandamos", + "abundar", + "atesar", + "congelemos", + "abajaríamos", + "alegorizando", + "caramelizaran", + "aburabais", + "acaudillaren", + "impresiónense", + "quebremos", + "crujes", + "esponjarais", + "achicharrónese", + "quejáramos", + "desagarrábamos", + "linchando", + "perfeccionabas", + "alborotaban", + "presionar", + "rascarse", + "acarreaba", + "acompañé", + "frangíamos", + "derribásemos", + "alfeizando", + "escupiréis", + "rehacemos", + "emperifolle", + "atracarían", + "patinándose", + "aciguataríamos", + "aparearás", + "descobijaron", + "embromáramos", + "descubrían", + "encorralar", + "coludiré", + "semejaríais", + "levantás", + "corresponder", + "abjurara", + "academizarais", + "apuntarais", + "demudaran", + "animen", + "babosean", + "cumpliré", + "manejara", + "abarbecharan", + "resistiéramos", + "pueblo", + "pandeará", + "ayunasteis", + "obstínese", + "acicalares", + "alborotarían", + "danzare", + "encorajinábamos", + "esforzaba", + "brocearse", + "embótese", + "acallá", + "contar", + "forcejeo", + "alzarse", + "enflacaban", + "proyectamos", + "alborotaras", + "cabrearen", + "emperezaba", + "ungiría", + "aspiremos", + "sulfure", + "apostará", + "calmarían", + "elidiría", + "emborracharé", + "achaflanar", + "amedras", + "acabañá", + "agravaos", + "escanciar", + "demoráis", + "albureémonos", + "rehace", + "uniformáis", + "asistamos", + "abanderaremos", + "proscripto", + "imaginarás", + "apúntense", + "sentite", + "encapirotaren", + "asignabas", + "abroncáramos", + "zuñendo", + "generado", + "dividías", + "charolando", + "piro", + "acarreéis", + "registréis", + "auspiciarán", + "afectando", + "catequizar", + "revelan", + "arrasaras", + "alborotéis", + "tupiré", + "trasnochábamos", + "desemejase", + "cargosear", + "afirmé", + "esgrimíamos", + "compaginas", + "encolerizó", + "abocanará", + "afinare", + "lentificaras", + "pernoctando", + "incumbimos", + "celebrare", + "enclaustrarás", + "acaldaré", + "ajuiciare", + "inspirés", + "hallado", + "enastando", + "abarrenaré", + "alampaban", + "atrasen", + "regradecer", + "abejorreas", + "comparado", + "rechiflarías", + "lográ", + "circunscribiésemos", + "bandeare", + "abejonearéis", + "acoquinarán", + "proporcionas", + "dirigiese", + "codificar", + "fatigaran", + "poblaron", + "alegrarían", + "reprendiendo", + "laudar", + "allanarán", + "alzaría", + "furulando", + "abollaseis", + "recurrieses", + "picardear", + "abismasteis", + "acaudalareis", + "mateen", + "semejaría", + "peino", + "abastardemos", + "ahorrases", + "cebaseis", + "emocionasteis", + "impáctate", + "colaren", + "nebulizaran", + "pelaron", + "besuqueando", + "sobrentiéndanse", + "dejá", + "acariciare", + "engolfar", + "presupuestas", + "ahijando", + "apoyar", + "picarse", + "ajuiciasteis", + "abajaste", + "placed", + "abordás", + "desordenar", + "aproximarás", + "alarmaren", + "pandeéis", + "acaramelarían", + "incumbamos", + "sentir", + "estrechabas", + "recibiréis", + "aligeraría", + "fracturáis", + "abochornamos", + "tupís", + "rajarías", + "academicen", + "agravábamos", + "musculando", + "coleaste", + "lañar", + "encorajinar", + "juntando", + "amasasteis", + "repensar", + "exíliense", + "unza", + "percibirían", + "uniformaríais", + "abejearemos", + "desencantemos", + "elucidar", + "desafrancesé", + "despintaos", + "desemejares", + "percutieres", + "aceitábamos", + "abetunabas", + "confiscando", + "fantaseando", + "hagáis", + "exhalas", + "pucha", + "temporizar", + "saboreabas", + "load", + "abarloaríamos", + "adelántese", + "ligaba", + "condene", + "vengaste", + "disculparan", + "cumplieres", + "enchuecando", + "asesté", + "registrad", + "botó", + "congracias", + "flota", + "notare", + "adscribían", + "acobardarías", + "acarreabais", + "alcanzáramos", + "achíspate", + "enfermando", + "forraren", + "chímense", + "atontes", + "achuntarás", + "acribillábamos", + "miro", + "enclaustrarías", + "espináramos", + "autorizáremos", + "atiesarse", + "criasen", + "sepultáramos", + "agravase", + "pie", + "aligeramos", + "descartaren", + "apande", + "choreábamos", + "abrumase", + "atracaría", + "ajustasteis", + "cave", + "acobardáramos", + "abalijando", + "matemos", + "apartares", + "atiesase", + "entiznareis", + "bebe", + "alabaremos", + "reverando", + "aguardarais", + "escribirán", + "tituláis", + "olvidaras", + "congratular", + "embarraste", + "cortaríamos", + "identificases", + "animasteis", + "generalizáremos", + "empatando", + "desvío", + "exhibirá", + "finalizáis", + "cansaríais", + "acodérense", + "alcanzaran", + "acaparraréis", + "embazará", + "salvase", + "enjutando", + "sazonaremos", + "peinaba", + "chapuzaos", + "adscribáis", + "yaciera", + "difundimos", + "demacrarías", + "excarcelaban", + "desposarás", + "negase", + "espinara", + "adecúe", + "finalizar", + "forestando", + "esperanzasen", + "arroba", + "acribillares", + "resolved", + "descubrite", + "apocópense", + "catalanizando", + "escábiate", + "sublevasen", + "imprimamos", + "cautelare", + "enarmoné", + "equivocases", + "aislaba", + "caerá", + "afináremos", + "inspirémonos", + "aligeré", + "asesto", + "contagiáis", + "describís", + "aborronáis", + "abarquilló", + "uncieras", + "presentando", + "acaronasteis", + "rehagan", + "lamentaba", + "espinaremos", + "deslénguate", + "atravesasen", + "tosiendo", + "amostazado", + "dinamizó", + "debilitemos", + "aficiones", + "acojonate", + "alastraríamos", + "aglomeraríamos", + "desagarrá", + "descoordinad", + "acareáremos", + "aparatarían", + "tréncense", + "abullonasen", + "acañavereáremos", + "mía", + "enarenes", + "abatojaseis", + "abronquémonos", + "aludíamos", + "abrigarais", + "rodeando", + "descapirotaban", + "difundías", + "late", + "descapirotamos", + "adoptásemos", + "reposaríais", + "encapirotaba", + "escoriarse", + "achispes", + "abrogares", + "amigas", + "asemejé", + "distanciate", + "chimás", + "conversando", + "encumbrasen", + "flipáramos", + "despintaréis", + "ayudasen", + "embrutecer", + "alborotares", + "mojar", + "colegiarán", + "proporciónense", + "aprendiendo", + "sepa", + "enjalbegando", + "reescribamos", + "abusaré", + "abandalizar", + "habilitarían", + "abozalareis", + "cubríos", + "poblabas", + "airaréis", + "semejáis", + "chiscar", + "airaré", + "abajado", + "perfilarás", + "bricolajeando", + "abonaseis", + "alzando", + "esponjamos", + "descobijan", + "acaroná", + "avergonzasen", + "bancaré", + "entiesaré", + "rehiciereis", + "acusaba", + "asemejaseis", + "autorizaron", + "separaban", + "avezasen", + "lucrare", + "aturullase", + "callate", + "curemos", + "valoricémonos", + "recuperad", + "abejorrearé", + "inspeccionar", + "asediaríais", + "auspició", + "aborrirían", + "recurrir", + "ahilamos", + "coludo", + "urbanizarse", + "lamentaremos", + "presentéis", + "abujarás", + "blandisteis", + "acodan", + "aborronaremos", + "bandearas", + "adecuan", + "unámonos", + "copaba", + "abusar", + "maltratase", + "congracie", + "encebadásemos", + "obcecáis", + "salvándose", + "relacionará", + "comescolaras", + "congraciaréis", + "abatanaran", + "bienvivían", + "apresurando", + "inflamarse", + "ahúmate", + "comparara", + "marchitáis", + "reclamareis", + "obstinaríamos", + "amedrarías", + "rebusco", + "achacaríamos", + "auxiliases", + "descerezando", + "abastionemos", + "chapuce", + "cayeseis", + "achilenémonos", + "rasguémonos", + "amarres", + "imprimirás", + "impresionarían", + "colearan", + "decidido", + "aplaudirán", + "resiste", + "abultará", + "hartaríamos", + "castigarán", + "prospecto", + "extrañemos", + "asustás", + "acabestrillasteis", + "abaleasteis", + "abarajemos", + "ahusarais", + "recuperará", + "lexicalizan", + "abusaréis", + "entrechocando", + "abastionáremos", + "abarrotabas", + "abaluartaremos", + "deslenguarás", + "separáremos", + "atontarías", + "reinventaseis", + "abocanaren", + "esgrimirá", + "ayudarse", + "chapuzabais", + "acaparraríais", + "escardando", + "cavando", + "ablanda", + "emplearé", + "ayunabas", + "aclarásemos", + "acampanan", + "pulirán", + "cantares", + "pacificamos", + "abrigaran", + "academizábamos", + "fomentando", + "acallantando", + "abren", + "agredían", + "citémonos", + "escupiríais", + "sazonares", + "tituláremos", + "entizne", + "desayunaré", + "medicar", + "fracture", + "compaginen", + "caeos", + "cansaos", + "tullendo", + "bienvivieren", + "descatolizaseis", + "afligían", + "acacheteá", + "arrebolada", + "fatigasen", + "testear", + "liberara", + "omitieres", + "acañoneá", + "abrotoñaban", + "acalórese", + "engranar", + "enraizaríamos", + "acabildes", + "acanallaran", + "consumí", + "bramando", + "trenzaríamos", + "lisiará", + "recupera", + "relacionaran", + "desagraciasen", + "apasioné", + "agraviaron", + "remachando", + "llevas", + "frangisteis", + "avergonzar", + "adeudando", + "articulan", + "aproximó", + "insistieran", + "persistan", + "abadernan", + "revelarse", + "rocío", + "prestara", + "quejaréis", + "acostaste", + "congelasteis", + "encapirotarais", + "abeldarán", + "olviden", + "afranco", + "sulfuraseis", + "aclamar", + "sabotear", + "combé", + "asmabas", + "caramelizáramos", + "achacaría", + "acuña", + "embromá", + "desagraciando", + "agilitaren", + "ligaste", + "ahorraríamos", + "congelándose", + "accionaras", + "empanarías", + "abarroten", + "acudían", + "acuñó", + "desimpresionando", + "desagraciarás", + "capacitare", + "encebadaste", + "abarrotareis", + "puño", + "acochináremos", + "abravara", + "cascando", + "administrares", + "registraré", + "asignará", + "obligará", + "encebadabas", + "rebelate", + "coincidíamos", + "aguardara", + "sublimásemos", + "exiliarais", + "refrenarás", + "achancares", + "equivocaré", + "residiríamos", + "ñublarás", + "inflame", + "aspiren", + "ahogasteis", + "agraviará", + "encolerizase", + "carga", + "pesado", + "dejaste", + "mezcléis", + "relajad", + "claváremos", + "asesinarías", + "nudrierais", + "aproximaron", + "agravaríamos", + "columpias", + "aumentaran", + "flora", + "meten", + "embebiendo", + "abancales", + "evacuen", + "forraría", + "confundierais", + "estrecharéis", + "usaríamos", + "preparas", + "abejonearía", + "abocetéis", + "eludámonos", + "infligiere", + "nuecer", + "aceitéis", + "indicando", + "misturar", + "achilené", + "echasteis", + "espinará", + "gastare", + "obcecándose", + "plasméis", + "ensalsando", + "marchitate", + "acedá", + "olvidaría", + "copearán", + "abolláremos", + "acapara", + "sofocar", + "arreglado", + "jugaréis", + "puliereis", + "recupérense", + "juntara", + "escoriaría", + "lexicalizamos", + "reharías", + "complementáremos", + "exhibieseis", + "aludiese", + "marcharéis", + "acariciaremos", + "distinguiría", + "acalabrotaren", + "guerrillear", + "afrancaría", + "descobijaba", + "acacheteasteis", + "autorizases", + "copinando", + "botásemos", + "asmáramos", + "abatató", + "acechase", + "desencajando", + "declará", + "uniésemos", + "astillar", + "acecháremos", + "avezarían", + "exhibiese", + "percutiré", + "explorar", + "chiflará", + "abarquillábamos", + "uniría", + "asustaría", + "narrar", + "expulsar", + "lisiaremos", + "accidentó", + "desemejaríamos", + "abrumamos", + "abordaran", + "condenaréis", + "penasteis", + "abonando", + "extenuarías", + "acallamos", + "alcanzarán", + "mudando", + "abarloáis", + "remanso", + "abrillantó", + "quemasteis", + "soportando", + "esforzaremos", + "incrasado", + "dimitiremos", + "acairelemos", + "relajaras", + "aflojaron", + "apareció", + "exiliará", + "percutiría", + "formado", + "apostaran", + "desviáramos", + "auspiciando", + "figuren", + "almuerzo", + "abozalarán", + "dinamicés", + "recae", + "avezarais", + "asmase", + "embromase", + "condenen", + "rodeate", + "abandonémonos", + "lapidificaríamos", + "purgaremos", + "atravesases", + "abarbetáis", + "abatiésemos", + "recibierais", + "mesa", + "obstinemos", + "abadernaban", + "rehurtarse", + "ajustad", + "escatimaríamos", + "engrupieren", + "enseñarás", + "manejás", + "rasarían", + "avergonzará", + "proporcionarais", + "pepeno", + "lapidificando", + "enfriaran", + "aciguatareis", + "liberásemos", + "recuperáramos", + "empelotara", + "despintándose", + "atrasas", + "aliara", + "registra", + "desayuno", + "desgraciaran", + "abocadear", + "acachorrando", + "aproximarais", + "contoneaos", + "hablaba", + "abaratareis", + "acallara", + "acañonean", + "tildáis", + "fingiesen", + "descascararais", + "juntándose", + "levantaos", + "aislará", + "eludir", + "comunicas", + "escoriará", + "acabalamos", + "tapares", + "aballarais", + "acampanado", + "parcelar", + "culturizarías", + "presentaba", + "cebaríamos", + "accidentasteis", + "apunté", + "aherrumbrándose", + "ubicaras", + "abortáramos", + "regalarás", + "aherrumbremos", + "bifúrquense", + "modorrando", + "reincidieseis", + "garrando", + "aguara", + "cortémonos", + "olvidase", + "ahusarías", + "espurreando", + "abundaríamos", + "engrupamos", + "empleabais", + "acalambrare", + "cabalgando", + "acaldó", + "fruncid", + "molido", + "africanizar", + "deriváramos", + "imagínense", + "revertir", + "atizará", + "trenzar", + "colegiaren", + "agonizando", + "poblé", + "acepte", + "identificáis", + "aterrizase", + "lexicalizásemos", + "acamellonabas", + "vito", + "rascabas", + "ahincarías", + "aspirara", + "abuñolar", + "descafeinando", + "corrigiendo", + "conectar", + "achispare", + "convergieras", + "iguar", + "chivare", + "fuerzan", + "organizaras", + "latearéis", + "escupiera", + "controlaría", + "soborno", + "pagarás", + "atabalear", + "abonaste", + "combatiésemos", + "sucumbir", + "flipe", + "abarrotaríais", + "derribaba", + "píquese", + "rehusáis", + "decayeses", + "empéñese", + "abarbecharen", + "abominaras", + "lastimen", + "escabiate", + "alborotaría", + "aplaudan", + "cantará", + "ahuméis", + "abozalarais", + "encumbrándose", + "eleve", + "regresamos", + "lamentaos", + "amedro", + "salpullir", + "asusté", + "entrenémonos", + "fatigáremos", + "queme", + "abajáremos", + "lateé", + "caramelizad", + "animizate", + "aligero", + "forran", + "rodearán", + "abandoned", + "atenuaba", + "abóndense", + "describiría", + "empelotad", + "ensalcemos", + "ajuiciareis", + "penar", + "entroncando", + "cargoseando", + "acusase", + "descafeinar", + "raje", + "engalanarían", + "atora", + "abraces", + "acortamos", + "omitíamos", + "encantáis", + "lograran", + "abravaban", + "desafrancesásemos", + "jaqueando", + "amedrenté", + "interrumpiéremos", + "registraba", + "acuitaseis", + "conservaría", + "expreséis", + "fulciereis", + "atravesaríamos", + "atribuirse", + "acatarrásemos", + "envasare", + "abundaría", + "hállense", + "forzaren", + "percutás", + "preparare", + "dividirás", + "suavízate", + "apuréis", + "confirme", + "atontábamos", + "atiesar", + "tender", + "armaría", + "aplaudieres", + "gatillando", + "desconociendo", + "abominaríamos", + "informa", + "exiliaran", + "residiste", + "cociendo", + "encorajinaremos", + "trencé", + "espantá", + "emocionar", + "desagraciemos", + "atizoná", + "asediarías", + "juramentad", + "empelote", + "aborronás", + "abigarrara", + "enarmonaseis", + "portas", + "contrariar", + "rehaciendo", + "discuto", + "obceco", + "achinan", + "satisfacé", + "cura", + "acachetaba", + "suavizaríamos", + "cumpliereis", + "expresan", + "derelincás", + "amostazaré", + "abochornáremos", + "resistieseis", + "adormecerse", + "cercioro", + "aleccionaba", + "obcequémonos", + "fluir", + "escorarás", + "aglomeraron", + "farreá", + "asustaremos", + "controlarían", + "ubícate", + "acampanareis", + "concretó", + "ahusaras", + "aparatáramos", + "propender", + "acaballases", + "cumplíais", + "infundís", + "agredíamos", + "abajaba", + "atracáremos", + "acabildaren", + "acaparáis", + "logaren", + "abozalad", + "deslenguarían", + "arrestaréis", + "achiquitas", + "agrandaremos", + "aviven", + "coleaban", + "abismáramos", + "acudiéramos", + "avisar", + "arrejuntar", + "lexicalizaste", + "admitirás", + "nutriríais", + "estabilizar", + "vivieres", + "incumbierais", + "acañoneare", + "abano", + "rembolso", + "abríguese", + "acribillarías", + "impacté", + "estimando", + "regalare", + "baboseés", + "abaluartares", + "discutiendo", + "amaneciéndose", + "extenuaseis", + "gañir", + "deteniendo", + "achuntaba", + "esgrimid", + "alastrate", + "recibíos", + "basaron", + "abocardaban", + "acechés", + "avezaos", + "erre", + "relacionaron", + "marmoleando", + "abreviamos", + "amasaron", + "abarrotarían", + "ciscó", + "retiraseis", + "abreviasen", + "chimés", + "apocopare", + "usáis", + "impactó", + "chimé", + "extenuá", + "adecuando", + "desencallar", + "agachara", + "enchironando", + "abarajo", + "acalabrotó", + "ijadeando", + "lateaos", + "viola", + "alburees", + "abarraco", + "desuniríais", + "disputando", + "achicharronaremos", + "armaste", + "acataran", + "acebádate", + "unirán", + "flipen", + "apareases", + "abofetearé", + "apaniguar", + "abancalando", + "achánquense", + "arréstate", + "paráis", + "culturizasen", + "renunciando", + "desengañilaban", + "acudiera", + "revelo", + "asestar", + "abravés", + "hinchasteis", + "listo", + "cerciorábamos", + "marchase", + "exigirán", + "helenicen", + "empanemos", + "vivid", + "agrandareis", + "acantonás", + "acuda", + "llegabais", + "afinen", + "desune", + "agripándose", + "emplearías", + "resida", + "eludíamos", + "escuadrar", + "pacificaron", + "aburando", + "apartarías", + "adscribo", + "mojarían", + "hubierais", + "cabrearemos", + "asedie", + "alarmaréis", + "igualás", + "achucharíais", + "helenizarán", + "abancaláramos", + "combatas", + "pulan", + "enfocaríamos", + "pelar", + "embarrá", + "enartar", + "acongojar", + "quemábamos", + "crujiremos", + "agredid", + "abultá", + "pelarse", + "abejeásemos", + "trasnocharán", + "abiselad", + "apodó", + "aburres", + "alquila", + "mamar", + "subliméis", + "acatarramos", + "retiraréis", + "coordináramos", + "potare", + "imaginéis", + "descebar", + "criase", + "catalanizar", + "deplorare", + "abismaremos", + "acaloraré", + "congraciará", + "abrogaron", + "descolocar", + "apartar", + "acecharías", + "rasas", + "enfrenó", + "desigualábamos", + "acaparasen", + "chapuzando", + "apuntaremos", + "avivareis", + "purificar", + "reportemos", + "ruboricés", + "helándose", + "infligías", + "desarrugando", + "aconsejábamos", + "proclamado", + "abarquillaras", + "destetando", + "acorralaos", + "lesionare", + "rehusábamos", + "pirate", + "aceleraste", + "emancipés", + "regañendo", + "flipemos", + "catalizando", + "crujieras", + "nutriste", + "pagué", + "entiesaban", + "emancipares", + "agilitémonos", + "contraer", + "picoteareis", + "decidan", + "excoriémonos", + "acanalasen", + "equivoca", + "acallaréis", + "adulterases", + "aliaban", + "nutrimos", + "acaballonaba", + "comprometamos", + "acantilaba", + "escupieras", + "profiriendo", + "resignábamos", + "acódense", + "ajetreaseis", + "enfriarás", + "atontarían", + "asaltaste", + "cepillaren", + "empeñaremos", + "achuntase", + "deszulacando", + "ahusaremos", + "ahilábamos", + "atontando", + "descapirotá", + "residiríais", + "convergías", + "sublevarse", + "amarrarás", + "aliábamos", + "abominás", + "abonará", + "abotonarían", + "amarraron", + "cabrearais", + "condenate", + "embarré", + "aligere", + "finalizado", + "abultareis", + "enfocaremos", + "pobláramos", + "alejó", + "escupiésemos", + "acarrearé", + "azuzará", + "estresáis", + "condenábamos", + "picoteabais", + "nudrieran", + "empane", + "esponjaremos", + "ajetreés", + "abalead", + "destoconar", + "lastiméis", + "abreviaseis", + "colegiáramos", + "aturrullaren", + "deslenguándose", + "emplentando", + "exponer", + "calmáremos", + "adscribí", + "aparroquianaréis", + "casá", + "difundí", + "sentáramos", + "derivés", + "clareciendo", + "juntarías", + "accionasteis", + "interrumpiésemos", + "sostituir", + "abocardo", + "achispando", + "valorícense", + "persistieron", + "derribare", + "congracien", + "desvían", + "deslenguate", + "cundiésemos", + "presentábamos", + "arribaras", + "acostaron", + "ayudad", + "elevabas", + "amostazaréis", + "ganares", + "surcieran", + "trasnoches", + "lateare", + "desaparecido", + "disparémonos", + "apasionareis", + "loguémonos", + "fatíguense", + "palabréense", + "sublimarse", + "dominando", + "sorprender", + "achancarse", + "desagradando", + "bebás", + "inhabilitas", + "regaron", + "abrías", + "organizaban", + "acebadaremos", + "cerciórate", + "debilitares", + "agripen", + "postear", + "ajustaban", + "aceleráis", + "agrandare", + "desposarse", + "esponjémonos", + "eludieseis", + "asemejando", + "pararéis", + "terminemos", + "embromarás", + "apuraban", + "marchitéis", + "recibiré", + "desagraciabas", + "sulfurar", + "acabañás", + "reincidieran", + "asistiré", + "congelés", + "escampar", + "caramelizáis", + "afinaremos", + "procreare", + "resarciera", + "conciliaron", + "abarataste", + "avecéis", + "preocupáis", + "decaeré", + "ensalzarais", + "presumiréis", + "chilenizado", + "exhibas", + "chancando", + "asmamos", + "aprenda", + "pilotare", + "patinaren", + "domesticado", + "alastró", + "zapuzando", + "tartaleando", + "aligamos", + "acaudillaste", + "trasnochaste", + "abrigues", + "comparaseis", + "refugio", + "acalorareis", + "cuajás", + "cuantizar", + "designare", + "mateemos", + "escupiendo", + "torturando", + "zurcisteis", + "solapar", + "picaríamos", + "atenuado", + "rastreando", + "acaballeraste", + "valer", + "abondaras", + "apréndete", + "fracturad", + "zurcieses", + "piráramos", + "captare", + "tapo", + "identifiquéis", + "balizar", + "acañonead", + "prescindiendo", + "afijará", + "sonreír", + "acaparro", + "uníamos", + "confundíamos", + "amenaces", + "oró", + "adulzando", + "libertando", + "congraciéis", + "desmarañando", + "aterrizaréis", + "ahincad", + "envasáis", + "abatieras", + "hamacar", + "nudrimos", + "controlares", + "decreto", + "impactara", + "rodee", + "enfocarían", + "agradarías", + "afijabas", + "ultimado", + "amigándose", + "peinémonos", + "arrebolaran", + "abetuné", + "corte", + "amostazaste", + "fulcieres", + "demorándose", + "liberares", + "ahínco", + "eludió", + "adoréis", + "subestimando", + "calibrare", + "embromaré", + "abrumaréis", + "contoneásemos", + "ilusiones", + "imputando", + "afligen", + "asmaste", + "sostituyendo", + "recortémonos", + "podsolizar", + "cabreamos", + "relacionabais", + "aliase", + "vengaban", + "brindáramos", + "abriolare", + "acompañábamos", + "carreteéis", + "acalambrarais", + "latearían", + "achuntareis", + "regresabas", + "disuadiré", + "aludieseis", + "encebadasteis", + "regalará", + "abajaréis", + "abarloo", + "aborronés", + "desagarremos", + "desengañilen", + "entiesaos", + "recalzar", + "recibes", + "escapular", + "abulten", + "rascaríais", + "liberaríais", + "colearon", + "fraguado", + "contentarás", + "amases", + "liábamos", + "obtengo", + "arrebolábamos", + "incomunicamos", + "acaballonamos", + "armo", + "sepultaras", + "forzáremos", + "abatanase", + "lardo", + "armarais", + "abucheamos", + "bicha", + "acaudillen", + "abolloná", + "plasmabas", + "machimbrar", + "servido", + "pichicatearé", + "ubicásemos", + "encorajínate", + "ablandases", + "abarbecharíais", + "terminasteis", + "tabla", + "academizases", + "aproximares", + "nudrirán", + "aseverase", + "acusara", + "añadieras", + "asintiendo", + "persuadías", + "mateaos", + "hastiar", + "acampanéis", + "comunico", + "achancando", + "auspiciáremos", + "abrumara", + "infunda", + "superase", + "uniformando", + "cubra", + "compartiste", + "comunicáis", + "asistirás", + "abaleáramos", + "adultere", + "abroquelases", + "abarrenases", + "entrométanse", + "distanciabais", + "recortad", + "agrandaren", + "acechá", + "uniformabais", + "acampanará", + "recortá", + "sazonaren", + "suavizás", + "curtiré", + "abaluartarías", + "azuzaría", + "importunásemos", + "desalar", + "bordoneando", + "hallaron", + "proporcionad", + "arreglares", + "avece", + "desgracio", + "enfrentasen", + "acababan", + "fundar", + "airabas", + "consumíos", + "repartiéndose", + "desarrollase", + "pudiendo", + "enfrena", + "guaneado", + "decretabais", + "ajuiciaran", + "ahínca", + "aconsejares", + "admitáis", + "abarloar", + "alboroten", + "combaste", + "aparate", + "abundaren", + "modernizarán", + "abarquillés", + "derelinquiere", + "abaluartáis", + "coordinás", + "cubriré", + "asaltando", + "chapuzate", + "encebadaría", + "allanaren", + "levante", + "reciente", + "asolándose", + "señoreen", + "abujamos", + "olfatea", + "está", + "exhalamos", + "abracijarse", + "regresés", + "chingado", + "complementó", + "apandate", + "nominalizarse", + "pichicateó", + "enraíce", + "aprovecháis", + "exornando", + "aparroquiés", + "aficionareis", + "encorajinabas", + "preocuparás", + "aumentar", + "relacioné", + "uniríais", + "dirigimos", + "enfrentase", + "extenderse", + "acordémonos", + "eché", + "alquilaréis", + "abarrenaba", + "atenuaren", + "aseveres", + "agradasteis", + "coordinaríamos", + "aceches", + "regalaremos", + "nebulizó", + "reclamare", + "acariciaré", + "ambientare", + "fliparas", + "agarbanzar", + "abuñuelado", + "adentrad", + "ralentícense", + "columpiaren", + "chingue", + "pacificaré", + "residir", + "ganáis", + "abarraganándose", + "trenzan", + "abuchearemos", + "desengañilaríais", + "concretáis", + "agravaseis", + "abarquillareis", + "asumí", + "ajuiciares", + "complementéis", + "aculturareis", + "sobrentendido", + "choreate", + "arrequesonando", + "ubicarían", + "enfrentad", + "alampé", + "abromad", + "gastarás", + "vénguese", + "pandeá", + "agacharían", + "abozalaría", + "cubriréis", + "organizarse", + "nada", + "abrillantaron", + "farrearíais", + "ligares", + "coagulando", + "albureamos", + "agachate", + "ayudarais", + "conservándose", + "gasificando", + "haríamos", + "engrupieran", + "secutar", + "auspiciabais", + "extrañen", + "combaras", + "abucheásemos", + "acabañando", + "felicitare", + "alardeaban", + "jorobés", + "abaluartare", + "evacuáramos", + "acordándose", + "espanten", + "liberando", + "espinareis", + "abretonare", + "acañavereare", + "aludieres", + "cinglar", + "achispareis", + "cahuineando", + "desviémonos", + "abalanzarás", + "declarar", + "pandead", + "aficionase", + "liaste", + "acatarrarían", + "levantá", + "acholaran", + "dejareis", + "caramelizabais", + "surgido", + "rajo", + "babeo", + "ahinqués", + "aballabas", + "cuidado", + "interesen", + "estresémonos", + "vomitare", + "encumbrar", + "achancad", + "retemblamos", + "expresará", + "inflamé", + "concurrís", + "acochinaría", + "marchités", + "tildásemos", + "dediquémonos", + "tapasen", + "yacieseis", + "evade", + "morado", + "apareciendo", + "asaltareis", + "asuela", + "amemos", + "emplearíamos", + "broncearan", + "enclaustrábamos", + "aconsejate", + "zullándose", + "dimiten", + "desinhibiré", + "consumiremos", + "acararán", + "blandiesen", + "lesear", + "chapuzar", + "prologo", + "exhalabais", + "apartemos", + "comparen", + "imaginándose", + "caracolear", + "difariar", + "regresareis", + "juramentándose", + "obceque", + "brindaren", + "crispando", + "enguatando", + "trenzara", + "abatatan", + "agradásemos", + "sepúltense", + "practicar", + "retiráis", + "cumpliéremos", + "regresarais", + "presentes", + "agrandas", + "aconsejás", + "ahorraba", + "convergierais", + "quejaría", + "apocasteis", + "generalizares", + "abroquelado", + "concretarais", + "desposan", + "lleguéis", + "reinventaríais", + "acuito", + "extinguiendo", + "registraríamos", + "acodérate", + "decretad", + "apocar", + "descuidando", + "balanceaste", + "existí", + "registrando", + "unifícate", + "titulé", + "avivó", + "accionarás", + "acareases", + "pepénense", + "palabrea", + "consumid", + "atragantabas", + "exiliara", + "asumieres", + "rigiendo", + "asurasen", + "asuman", + "salificar", + "guardaras", + "desbarrigar", + "pirándose", + "acamellonase", + "descapirotábamos", + "regalaron", + "lentifíquense", + "identifica", + "adelante", + "acribillando", + "abarbechase", + "arrestaríamos", + "ovillo", + "sazonáremos", + "preocupase", + "apoyo", + "acantonabas", + "omitieras", + "impriman", + "suspiró", + "ahóguense", + "sujetando", + "caramelizándose", + "logres", + "acoderares", + "abastioné", + "entiesabais", + "achiquitá", + "acobardasen", + "olvidate", + "abaratásemos", + "pitásemos", + "contoneares", + "despreciar", + "abocetaréis", + "recurar", + "administréis", + "percutiríamos", + "excoriáramos", + "empanasen", + "aligare", + "medicine", + "abuzando", + "trastorno", + "asediare", + "abollonareis", + "alcanzaron", + "abominamos", + "enarenara", + "copiar", + "asumieron", + "mojará", + "entiesaréis", + "masturbabas", + "terminarais", + "abaneaseis", + "conosciendo", + "acalorabais", + "criarán", + "abollá", + "comisqueando", + "acciones", + "carreteábamos", + "aconsejará", + "acallaban", + "escupiéremos", + "abroquele", + "deshacemos", + "ubicareis", + "cansés", + "joder", + "ministrare", + "zurciremos", + "puniendo", + "insistían", + "alarmando", + "desinfestar", + "operando", + "excoriaba", + "saboreara", + "afinaríamos", + "aborronábamos", + "pipando", + "desayunares", + "evacuase", + "embotaríais", + "derribaban", + "lapidificasen", + "preocupés", + "quebraré", + "benefíciese", + "enfrentéis", + "academizasteis", + "alquilaran", + "embarra", + "largo", + "abjuraremos", + "pichicateaos", + "jaharro", + "acatarían", + "batiré", + "escupir", + "guberno", + "estabas", + "nutra", + "abreviado", + "yazca", + "copémonos", + "acuérdese", + "culturizar", + "inspeccionado", + "imprimía", + "incomunicaron", + "sazonaos", + "recuperaran", + "trepando", + "alabás", + "reposés", + "temiendo", + "ajuiciaos", + "abulonaré", + "allanaos", + "allanó", + "lamentándose", + "faenar", + "abromemos", + "podzolizando", + "abanderarían", + "idea", + "persuadiste", + "restablecer", + "zurcís", + "reincidisteis", + "elevaren", + "abarrenaseis", + "identificares", + "achinarán", + "acollarado", + "desajacarse", + "eleven", + "rechiflá", + "derivaos", + "obstínense", + "abarrenáremos", + "abastábamos", + "acaramelan", + "encomendaremos", + "alababais", + "temporalizar", + "denigrare", + "aguar", + "silbar", + "desagarraría", + "refrenó", + "unirse", + "achinábamos", + "apasionabais", + "desafrancesás", + "abarbechaban", + "accidentad", + "abalanzaren", + "rasemos", + "déjate", + "aturullaran", + "abastardarás", + "creed", + "engrupió", + "arrollo", + "aburrándose", + "identificándose", + "adornares", + "rehusase", + "enripiar", + "adscriben", + "tejámonos", + "afirmaríamos", + "cubrieran", + "describieseis", + "himpando", + "entregerir", + "afirmábamos", + "mezclaren", + "destruida", + "animizarán", + "forme", + "descubrirías", + "cogotear", + "uncid", + "decidas", + "descoordines", + "gritoneando", + "repantigándose", + "abrieron", + "abreviemos", + "expresaste", + "academizasen", + "confraternizar", + "aceptaré", + "soslayando", + "señoread", + "emplees", + "afligiere", + "acoquinés", + "nebulizáramos", + "entregaras", + "helenizan", + "desinsectando", + "nutrirías", + "doctoraban", + "abarraquéis", + "ayudado", + "escindimos", + "asesiná", + "aunaría", + "privatizar", + "opilasteis", + "ayunarían", + "apartaría", + "acuitaremos", + "reinventaron", + "lapidificábamos", + "devolver", + "apostabais", + "aparearéis", + "lexicalizaran", + "abigarrásemos", + "torneo", + "contenté", + "abochornarías", + "aleccionarían", + "reincidíamos", + "petases", + "abrogábamos", + "confirmarás", + "lamentes", + "volviéndose", + "demande", + "perforando", + "perfecciones", + "embarrarán", + "apelmazar", + "escabiaríais", + "airarías", + "enflaquéis", + "pichicateáramos", + "duélete", + "deshicimos", + "emitiera", + "revelará", + "sujetar", + "descuajaringarse", + "recortaremos", + "achuchase", + "esgrimís", + "lapidificaba", + "beneficiaríais", + "encapirotás", + "comprometás", + "emplearas", + "azuza", + "guarnecido", + "encapirotaste", + "articulabas", + "hamacando", + "ahumarías", + "ayunaréis", + "revuélvanse", + "aficionaba", + "acordaron", + "abreviaréis", + "palabrearas", + "albureara", + "aduro", + "percutís", + "atizonan", + "balanceéis", + "abucheó", + "malviváis", + "ligabas", + "reescribiría", + "atalantar", + "agravia", + "reajuste", + "consumáis", + "apúrense", + "levantaras", + "reparare", + "obnubilando", + "pités", + "abejonearíais", + "ensordeciendo", + "lograron", + "abozaláremos", + "identificareis", + "incrementare", + "abusarían", + "aburo", + "percutían", + "ayunan", + "abachen", + "encomendaran", + "decídase", + "apocopándose", + "enjuiciáis", + "encantares", + "achispan", + "balanceen", + "acuñaríamos", + "churrasqueando", + "dividan", + "existiréis", + "dirigieses", + "exiliémonos", + "fatigásemos", + "huis", + "contonéate", + "chivaseis", + "percibiréis", + "incomunicares", + "mangando", + "enarenaos", + "aturrullaseis", + "afligieses", + "deshacía", + "desenclochar", + "argumentar", + "definimos", + "encogeos", + "estofar", + "jeringolear", + "jorobaren", + "enfriaren", + "prestémonos", + "arrestaste", + "apareo", + "destajo", + "logó", + "arreglases", + "adobase", + "colgaría", + "pronunciarás", + "asestaré", + "asestó", + "comercializar", + "rascases", + "pulieses", + "acribilló", + "ensilando", + "tramare", + "acabildaré", + "acuitarías", + "cellisquear", + "agravaríais", + "acampanáramos", + "derelincáis", + "alojá", + "musique", + "inhibiéndose", + "básate", + "abordamos", + "hale", + "marchaban", + "adscribíais", + "acuatizar", + "encargase", + "permutar", + "salvaba", + "secularizará", + "apapacho", + "aligaremos", + "peinaseis", + "suaviza", + "converjamos", + "petaos", + "quebrarían", + "perfilasen", + "remeza", + "tomando", + "descoordinás", + "coincidiéramos", + "abarrar", + "acullico", + "derribase", + "alegrar", + "chiflado", + "informó", + "abarrotemos", + "hartándose", + "termináremos", + "abadernaremos", + "acaballá", + "aguantas", + "lisiaríais", + "liberase", + "copaban", + "ralentícese", + "acarrearais", + "cabrillear", + "poblaríais", + "dinamizáis", + "retiraron", + "articulé", + "pandear", + "detenido", + "basad", + "avezásemos", + "imprimiremos", + "abrumar", + "dinamícese", + "enjaularon", + "habilitaba", + "zozobrando", + "desgraciaron", + "chapando", + "alampabas", + "resarciéramos", + "desagraciáramos", + "adentrasen", + "reposaría", + "desayuna", + "manejemos", + "afirmás", + "definieses", + "cuélguense", + "esperanzases", + "surgir", + "abatiremos", + "unieses", + "chistando", + "duda", + "persistieses", + "ubicaos", + "estatuir", + "aterrizaríais", + "señoreáramos", + "aturulla", + "desinfectando", + "aumentáremos", + "decaigamos", + "agilicémonos", + "caramelícense", + "abajasteis", + "concretase", + "pagaseis", + "riña", + "motilasteis", + "infartando", + "sintieseis", + "hartaras", + "autoricés", + "achoclonaos", + "picasteis", + "desinhibieres", + "heder", + "habilitado", + "despertaría", + "academizo", + "expire", + "vocear", + "urbanizad", + "velarizabas", + "abusaseis", + "aspirábamos", + "acochinándose", + "abrillantases", + "coincidiesen", + "fatigareis", + "equivocaras", + "controlasteis", + "abucheéis", + "disuadía", + "hartare", + "abajaremos", + "hínchense", + "imprimiera", + "percutías", + "quiebran", + "achanquen", + "densificando", + "vejando", + "aligeraríais", + "dinamicémonos", + "rebatisteis", + "atribuir", + "reclamarais", + "acatarrémonos", + "atoras", + "condenaste", + "adehesado", + "regáis", + "traumatizando", + "acostaríais", + "debilitaríais", + "regaláremos", + "equidistar", + "emperifollaban", + "inflamad", + "abetuno", + "rechiflase", + "desgañitando", + "visitar", + "acuitá", + "acumulásemos", + "adscribiría", + "chiflare", + "matamos", + "aceités", + "deslió", + "estatua", + "afinasteis", + "chiflarían", + "derivate", + "échate", + "pulieran", + "abachare", + "acatarras", + "arribá", + "amostazasen", + "juramentara", + "zabuir", + "confiarais", + "crujiéremos", + "enfrentá", + "articularán", + "escalofrío", + "guionando", + "fatigaban", + "modernizad", + "abejoneará", + "acaparraba", + "saboreá", + "registrase", + "mándese", + "lentificate", + "descartabas", + "maestre", + "adecuáramos", + "abofeteen", + "acantonaban", + "tacando", + "despintaría", + "pulirías", + "meneaseis", + "desposares", + "dimites", + "acanallando", + "purgaré", + "compartes", + "tapando", + "animizó", + "titularan", + "obligáremos", + "abacoraste", + "modernizáremos", + "folleteando", + "fumar", + "alzará", + "criareis", + "compagínese", + "desarrollarían", + "demudareis", + "incumbiéramos", + "aliñaríais", + "llevaré", + "amigaren", + "cateteando", + "emancipándose", + "jorobaréis", + "ajustarán", + "agacharan", + "abulonasen", + "obstinarse", + "asustare", + "zurcir", + "bancasen", + "plasmarían", + "aparroquias", + "sorprendáis", + "emborráchate", + "nudro", + "afranquémonos", + "enjaulara", + "agraviar", + "eras", + "ahilaseis", + "fatigues", + "apercancado", + "batís", + "enflacad", + "acoderando", + "jalear", + "eliminabais", + "apostarían", + "intimar", + "pandearen", + "helenizo", + "amorgar", + "reincidáis", + "motilase", + "abonarán", + "desafrancesareis", + "lapidificaras", + "olfatee", + "descascarémonos", + "perfilad", + "acostemos", + "tejáis", + "enjugaos", + "abastionamos", + "estrechábamos", + "abarracan", + "líguese", + "armés", + "castiguen", + "arranque", + "aligerarán", + "aparroquiabas", + "aunarán", + "controlaras", + "abejearéis", + "dedica", + "empanaréis", + "ajustares", + "excoriás", + "ciscará", + "chimáramos", + "aplaudiéramos", + "derribarás", + "nudrid", + "ajetreen", + "azuzaréis", + "habilitare", + "aparroquiaríamos", + "sitiando", + "pacificaríamos", + "obstinen", + "acochínense", + "vivaquear", + "sublima", + "aficione", + "abetunábamos", + "barloventear", + "enviar", + "deshelando", + "admitiéramos", + "contagiá", + "alabara", + "plasmásemos", + "concurríamos", + "acalambré", + "logaríamos", + "criaré", + "abarbechaste", + "alármense", + "chivá", + "caramelizaremos", + "sentirá", + "congelarán", + "cisco", + "escinden", + "educando", + "ahogarais", + "peinases", + "contornado", + "pactando", + "impresionará", + "salvares", + "embotásemos", + "descoordinasen", + "legando", + "concateno", + "abejeabas", + "tienda", + "acumulareis", + "remodelando", + "separaron", + "entrometás", + "acapararais", + "caramelando", + "parafrasear", + "abanearon", + "poblarse", + "empléate", + "adoptabas", + "enraizares", + "excede", + "abochornes", + "revelaremos", + "envasó", + "acaudalasteis", + "clamo", + "activo", + "abocetarás", + "asaltad", + "demacrara", + "acaudillaba", + "esponjara", + "aculturés", + "abstrayéndose", + "contagian", + "ganaré", + "amañar", + "amasémonos", + "auspiciáis", + "parpadeando", + "abotonás", + "basaren", + "aseverar", + "citáramos", + "testificar", + "acolitando", + "retozando", + "rascarás", + "distancié", + "batirían", + "lograsen", + "aligue", + "hielo", + "acairelarían", + "lapidificaríais", + "perfecciono", + "acabaríamos", + "maltrataréis", + "escatimaréis", + "esforzaren", + "limitarais", + "criéis", + "surcieseis", + "atracarán", + "unciríais", + "agilizá", + "condena", + "aturullarais", + "aplaudirás", + "escaliados", + "haya", + "agradabais", + "dimitías", + "organizases", + "finalicen", + "apasiones", + "alungar", + "aupar", + "negaras", + "informés", + "animarais", + "vengue", + "esgrimiere", + "asmaron", + "aballe", + "empelotabais", + "bifurcaré", + "abrasase", + "acanaláis", + "ayunaríamos", + "cambando", + "agruparemos", + "reportás", + "castigas", + "dolámonos", + "cubrir", + "perfeccionases", + "quemando", + "excarcelarán", + "abundabais", + "abracemos", + "acarrearía", + "visitando", + "enclaustrasen", + "cubre", + "sorprendás", + "controlaríamos", + "forrará", + "organizara", + "arrestar", + "acoquina", + "agredieses", + "curtiréis", + "acabangándose", + "alcancés", + "exigíamos", + "acaronabais", + "animarás", + "acuitarse", + "doraré", + "acanallo", + "tiznarán", + "distinguían", + "conservabas", + "uniste", + "jaharrar", + "surzo", + "reñir", + "abrogaremos", + "zambullir", + "acabales", + "ahumarse", + "apandarías", + "fondeases", + "alababas", + "guiaríamos", + "acuitemos", + "aunare", + "acebadaba", + "desapareciéndose", + "cebó", + "abandonaron", + "regalaba", + "abuchearéis", + "describieren", + "castrarán", + "lamentás", + "consumirse", + "curado", + "restañad", + "afilaré", + "abollonando", + "aturullaos", + "reinventamos", + "afluir", + "puñado", + "crepitar", + "rajaría", + "aculturad", + "demacrás", + "abejorreés", + "aburares", + "concurriré", + "colgando", + "criminalizar", + "descoordinarán", + "extrañarais", + "expreses", + "abancalarás", + "ahorrá", + "proclamarías", + "culturizaré", + "reventado", + "condenaríamos", + "desengañilaos", + "rascaban", + "ganan", + "escupíais", + "jugara", + "apareaseis", + "acariciase", + "unificándose", + "aglomerare", + "compárate", + "abarloaran", + "eludid", + "ungiste", + "entregándose", + "incumbieses", + "acacheteáramos", + "yaciereis", + "regresará", + "trenzabais", + "desubicarse", + "acaudale", + "comunicase", + "ajusto", + "escupierais", + "nebulicen", + "mateabas", + "hayáis", + "derribaremos", + "aparroquiaos", + "confíense", + "amedrentaríais", + "acabañéis", + "agrávese", + "columpiasteis", + "columpiabais", + "encapirotaseis", + "escoráis", + "ajuiciaremos", + "quémense", + "frunciendo", + "engalanaren", + "tronzando", + "abocetan", + "saboreareis", + "refrenáis", + "contentés", + "achuchás", + "garcar", + "gravitar", + "generalizábamos", + "proporcionases", + "abultasteis", + "esperarais", + "descoordinarais", + "rases", + "abanderen", + "batieres", + "trasnochare", + "abraveciendo", + "subyació", + "ajobá", + "hincharías", + "pretexta", + "regalabas", + "suavizabais", + "acortases", + "recayereis", + "cuidarás", + "exíliate", + "escatimaste", + "enfrentásemos", + "espanta", + "abejorreá", + "chinganear", + "jaleo", + "alzábamos", + "arreglo", + "unzamos", + "achicharronaseis", + "esperezo", + "impactad", + "volatilizaba", + "aburarían", + "usemos", + "acacheteás", + "interpelar", + "desmontar", + "pirasen", + "acusábamos", + "reinventé", + "desalivando", + "aficionás", + "sulfuraba", + "refrenándose", + "acobardare", + "abanearíamos", + "sublevaban", + "embazarás", + "abretona", + "rehúsen", + "residieras", + "extrañasteis", + "mataste", + "embutido", + "opile", + "amasare", + "abjurasen", + "interrumpás", + "acalambrarían", + "relacionases", + }); + + + +const auto ptBRAdjectives = std::to_array({ + "dendrólatra","excelente","pilosas","símil","brigantino","paulinense","quente", + "impoluto", "vacante","ubérrimo","anticoagulante","dialógicos", "habitual", "ferido", + "nulo", "suave", "assumentes", "reutilizável", "semânticos", "branco", "obstinadas","principal", + "vetusto","gentil", "arcaísta", "lúdico", "vendedor", "coagido","instante","autosuficiente", + "racial","quarenta","ológrafo", "pilosos", "fortuito","bastante", "afetuosos","fabril","comunista", + "diplomática","severo","azul","jovem", "negro","minúsculo","colante", "cultor","idênticos", + "severos", "tentativos", "menso","quixotesca", "vermelho", "pulcro", "teimosos","trigonométrico", + "etéreo", "diminuta", "cálido", "obcecado", "versal", "fofo", "bélico","proparoxítona", + "neófito", "aqueste", "pelado", "carioca", "afiado","pérfido","obtuso","grammatical", + "oligárquico","ilícito","extrovertidos","obstinado","labelado","extrovertidas", "sarraceno", + "sumo","sinónimo","aromáticos", "eterno", "insidioso", "seco","obsoleto","dúbio","plúmbeo", + "fabulosos", "semântico","proparoxítonos","fácil","dialógica","propicio", "valente", + "elegante", "barata", "úmido","morfológico","tolo", "grosso", "alquímico", "deísta", + "comunicativa", "feliz", "hábeis","felizes","rigorosas", "idênticas","oxítonas", "gélido", + "biológico", "oxítonos", "frio","uma", "diamante", "conciso", "francês","desfavorável", + "bipeltado", "caldoso","bellico","burro","anarquista","pesado","uno","rigoroso", + "habilitador","quixotesco","portátil","obliquo","abundancial","ruidosos","fomento", + "masculino","zangado","pensativo","avéstico", "paroxítonas", "heptagonal", "homólogo", + "tranquilo","distinto","lotado", "semântica", "leproso", "pluvioso", "loiro", "legal", + "glacial", "longo", "obcecadas","científico","lúgubre", "ossudo", "africano", "basta", + "ruinosos","taimado", "ruinoso","alopécico", "total", "dialógico","obrigado", + "libérrimo", "espesso", "reto", "incruento","pequeno", "erróneo", "caro", "maluco", + "baboso", "atado", "valioso", "fatal", "silvestre", "tentativa", "intencional", + "adulto", "espanhol", "decorativas", "básico", "magoado", "fluminense", "magro", + "belo", "turbulento", "idêntico", "suportável", "etnográfica", "anóxico", + "translúcido", "metonímica", "abdominal", "meticuloso", "curva", "ignóbil", + "barbado", "marítimas", "astuto", "fabuloso", "inimigo", "dentuço", "imperialista", + "preto", "fiscal", "marítimo", "inicial", "imperialistas", "rigorosa", + "decorativo", "horrível", "rural", "marítima", "ababelado", "nocivos", + "analógico", "dulcíssimo", "teimoso", "nu", "ancilar", "ágrafo", "bianual", "cómico", + "cilíndrico", "tetragonal", "ilustre", "musical", "zigomorfo", "utente", "valiosas", + "curto", "pilosa", "artificial", "português", "anal", "extrovertida", "folicular", + "ignoto", "quixotescas", "marítimos", "formoso", "correto", "oxítono", "ruidoso", + "róseo", "etíope", "pensativa", "metonímicos", "comparativos", "órfão", "ecológica", + "estreito", "oxítona", "meticulosa", "colérico", "macio", "morfológicas", "fuliginoso", + "enunciativo", "pentagonal", "etnográficos", "metonímicas", "fedegoso", "obcecados", "belicoso", + "bravo", "hexagonal", "obstinados", "erudito", "imberbe", "gótico", "ácido", + "sensorial", "racional", "tênue", "rubro", "cirúrgico", "rigorosos", "mórbido", "educativo", + "amarelo", "afetuosas", "ulterior", "industrial", "verde", "extrovertido", "teimosa", "bovino", + "enunciativas", "enunciativa", "satisfeito", "afetuosa", "cruento", "umbroso", "diminuto", + "consonante", "comparativa", "polaco", "cósmico", "afetuoso", "frígido", "pouco", + "frouxo", "fonológicas", "ecológicos", "astutos", "lindo", "humano", "aurífluo", + "teimosas", "abacial", "semeado", "comparativas", "novo", "acidental", "lastimoso", + "diplomáticos", "monossílabo", "sadio", "fornecedor", "analgésico", "oloroso", "coquete", + "socrático", "abonado", "comparativo", "comunicativo", "crocante", "meticulosas", "cilíndrica", + "económico", "estomacal", "ágeis", "astuta", "impulsivo", "decorativa", "diminutos", "comunicativas", + "adorável", "valiosos", "pampa", "este", "gringo", "amargo", "fabulosa", "paulista", "severas", + "ruinosa", "efeminado", "hábil", "curta", "tingido", "secreto", "beligerante", "aromático", "magnânimo", + "sujo", "largo", "morfológicos", "persa", "ecológico", "vis", "porca", "severa", "supersticioso", + "atual", "masturbatório", "abrupto", "propio", "exhaustivo", "piloso", "tanto", "infante", "proparoxítono", + "racionais", "fiel", "versátil", "pretérito", "vizinho", "fresco", "decorativos", "nociva", "xereta", + "sibarita", "idêntica", "oliváceo", "tentativas", "valiosa", "ecológicas", "discorde", "ótico", "metonímico", + "gratis", "ruinosas", "semânticas", "velho", "imperativo", "fonológicos", "paroxítonos", "quixotescos", + "cultural", "estragado", "bom", "real", "mosquicida", "aguçado", "geral", + "fomentos", "contundente", "cilíndricas", "comunicativos", "sórdido", "amigo", "nocivo", "fabulosas", + "livre", "ruidosa", "salgado", "equino", "amoroso", "oriental", "básicos", "simultâneo", "ágil", + "exhausto", "pestilente", "gigantesco", "gigantescas", "antigo", "paroxítono", "apócrifo", "neutro", "diplomático", + "estética", "vendedoras", "dialógicas", "molhado", "obcecada", "massa", "ruidosas", "abacteriano", "cheio", + "básicas", "gigantescos", "antibiótico", "redondo", "horroroso", "disponível", "manual", "diminutas", + "cobarde", "duas", "paroxítona", "pueril", "sozinho", "meticulosos", "filosófico", "covarde", "matriarcal", + "fixo", "habilidoso", "gigantesca", "abusivo", "lerdo", "morno", "nocivas", "básica", "castrador", + "explícito", "ciente", "pernóstico", "grande", "assumente", "francófono", "par", "almejante", "cauto", "contumaz", + "astutas", "animal", "fonológica", "morfológica", "valentão", "doce", "obstinada", "etnográfico", "tentativo", "rico", + "cego", "etnográficas", "fonológico", "dialogal", "morena", "duvidoso", "promissivo", "intruso", "pensativas", + "fugaz", "arcaico", "universal", "caseiro", "aromática", "pestilentes", "aromáticas", "sumarento", "pensativos", + "escapular", "proparoxítonas", "sensoriais", "linda", "vão", "habituais", "celebérrimo", "todo", "diplomáticas", + "ridículo", "pronominal", "enunciativos", "abundante", "cilíndricos", "perdida", "mau", +}); + +const auto ptBRAdverbs = std::to_array({ + "vulgo","hoje","cuando","perto","fora","aí","ontem","talvez","freqüentemente","sempre","sim","urgentissimamente","muito", + "afora","fobicamente","gratis","intensivamente","ora","gloriosamente","abaixo","aqui","após","horrivelmente","imperiosamente", + "eis","aliás","menos","bastantemente","já","bem","quando","jamais","principalmente","lá","entretanto","atrás","tanto","abundantemente", + "nem","mais","cá","juntamente","gratuitamente","agora","até","nada","geralmente","onde","dentro","muy","inexplicavelmente", + "realmente","igualmente","francamente","longe","rarissimamente","encantadoramente","ainda","basta","devagar","li","tarde","meticulosamente", + "supersticiosamente","não","habilidosamente","dulcissimamente","enfim","bastante","accidentalmente","paulatinamente" +}); + +const auto ptBRConjunctions = std::to_array({ + "e","nem","também","mas","porém","todavia","ou","pra","já","então","logo","portanto", + "porque","pois","que","caso","mesmo que", "conforme","consoante" +}); + +const auto ptBRNouns = std::to_array({ + "terebintina","morsas","cachorro","concórdias","sobremesa","segmento de reta","causa","cinzas","etnocentrismo","declarações", + "jejum","pé","pacote","sapo","prólogo","cabrito","metafísica","ambição","choro","abreviatura","sobrenome","reação","afecções", + "juba","queijo","vate","coronel","azul","dívida","ourives","avental","diplodoco","cidade","fonologia","manga","importância", + "instrução","título","vaga","dracma","calçada","demonstração","vestuário","sol","mentira","guerra","maternidade","barba","discrição", + "reconexão","carioca","ultrassom","abolição","ratazana","pleonasmo","astúcia","cravelha","bico","africações","vidro","veículo","cooperação", + "vingança","festividade","Jonas","edição","reativação","abade","cerveja","terminação","fofoca","ocupação","acervo","compreensões", + "protrombina","diagrama","pote","casca","desavença","abita","posição","leito","navegação","sustentação","nariz","tempestade","seção", + "província","árnica","tendência","alfabeto","acomodação","torre","sede","mulher","maquinista","lago","cinemateca","gadanha","bardo","formação", + "complexidade","bicicleta","secreção","idade","intuição","habilitador","xadrez","força","reino","ócio","carga","torta","abacá","abnegação", + "celeiro","bênção","banana","domo","geografia","vinho","sotavento","ganga","disco rígido","cão","semântica","variante","inexplicação","frangos", + "visão","túmulo","iguana","velocidade","confissões","expressão","quadra","numeração","voz","pedágio","infortúnio","porra","mar","cauda","diversidade", + "murta","pinga","total","inventor","hipnose","mochila","rinologia","ósculo","adaptações","atribuição","administrações","terra","quarta-feira", + "vítima","caos","minuta","prudência","modéstia","desordem","coelho","irmã","desgosto","música","jazz","anel","geólogas","divã","linha","copo", + "dente","amor","caranguejo","cromo","golfinho","religião","fungos","bibliofilia","popularidade","estimulação","ousadia","celebração","piola", + "horror","serenidade","noz","injeções","tração","abdominal","notoriedades","grifo","produção","bois","heroína","inicial","diferença","engrenagem", + "destruição","vulgaridade","carte","pêlo","regeneração","tarde","dividendo","ouro","eleições","gripe","objetos","pena","entusiasmo","ruga", + "exalação","censores","antropofagia","morcego","repressão","paródia","fome","baile","chaminé","preço","umidade","habilidade","ata","formiga", + "habilitadas","gravidade","avô","u","erva","empáfia","palito","humo","presença","talo","cavaquinho","rivalidade","parafuso","absente", + "imperatrizes","loção","asbesto","oxigênio","activação","confiança","jornalismo","bairro","zangão","cooperações","abacaxi","tranquilidade","sonambulismo", + "informações","bovino","pneu","merda","vibração","classificação","tecido","prótese","abnegações","atividade","proposição","injustiça","céu", + "humano","cachorrinho","fortificação","autismo","mordaça","considerações","rosário","anatomia","alimento","crença","ninguém","fornecedor", + "analgésico","desmazelo","acordo","rotina","hipoteca","medra","ilustração","ventre","respiração","sapiência","quimono","coração","arquitetônica", + "afia-lápis","imperialismo","precipitação","chifre","jóia","criança","nome","sábado","pai","conseqüências","lentilha","relatividade", + "moinho","desespero","industrialização","imperatriz","processo","cognome","conferências","alface","bolacha","angina","porca","menos", + "castra","modificação","bexiga","tema","catolicidade","lua","compostagem","personalidade","turismo sexual","estojo","porro","leque","totalidade", + "jacaré","vulgo","agitação","promoções","vontade","galinha","semânticas","instalação","quando","ilusões","discriminação","consulta","epitáfio", + "camarão","fomentos","pronome","mergulho","amigo","edifício","nacionalidade","preito","testículo","comparações","terciopelo","tartaruga", + "amêijoa","innovação","colchão","aspirações","charada","tumba","igualdade","propulsão","fragua","voo","pandeísmo","rã","aalcuabe","valor", + "sintoísmo","cinza","zênite","invenção","mesquita","bagatela","aldeia","parcialidade","páprica","ameixa","irrigação","eleição","projeção","vegetação" + "anarquismo","diplococo","bastardo","coleção","direções","vírgula","frieza","ouvido","sacramento","perversidades","difamações","conde","prontidão", + "caracol","crucificação","paladar","utopia","corneana","doce","síndromes","onda","punhal","vara","rédito","aço","tilacino","cena","conjugação", + "telégrafo","nação","linda","nhoque","paradigma","mecanorreceptor","bigode","autenticidade","noção","esperança","dicionário","ruídos", + "mano","go","notoriedade","espaço","freguês","pêssego","seresta","abarca","meditações","etimologia","bêbado","intenção","abordagem","censoras", + "negócio","execução","cocaína","pizza","objeto","iluminação","expulsões","areia","provocação","epíteto","hidrofobia","ecolalia","instante", + "haste","testa","carácter","redução","violino","utilidade","aliança","joaninha","beija-flor","dó","cachimbo","liquidação","espelho","milímetro", + "abrandamento","xadrezista","lição","admirações","afecção","sereia","janeiro","reparação","pecado","coleções","detenção","beijo","árvore","qui", + "interação","canoa","vitelo","detenções","fofo","estupidez","conclusões","inexperiência","dileção","embaixada","imolação","classificações", + "tráfego","proibição","étimos","adições","seixo","lobato","lábio","fecundação","pitonisa","profecia","obtenção","apreciação","aculturação", + "calculadora","chaleira","pipo","caravela","valente","peixe","barata","doação","legislação","maravilhas","motocicleta","lugar","maçã", + "afegão","concerto","época","reactivação","canção","ovo","conhecimento","modelo","perigo","fundação","gafanhoto","mobilidade","mirra","outubro", + "cachalote","casta","interlocutor","exação","confirmação","habitáculo","francês","agudezes","subtítulo","burro","leite","animação","pelo", + "portátil","fisco","semáforo","especialidade","decepção","escroto","refeição","diadema","lençol","salsicha","universidade","ocasião","eufemismo", + "ita","variedade","felicidade","aveia","zinco","corda","difusões","populações","acetona","reto","audição","patrulhador","juizado", + "costas","seis","domingo","cavalo","machado","espanhol","consideração","dia","divulgação","peluche","imperfeições","menstruação","pradaria", + "fungo","profeta","régua","balança","pó","hepatomegalia","clemência","tatu","jardim","avaliação","fração","preto","fiscal","sensação", + "milho","preocupação","obrigação","comparação","nata","tereré","agosto","choque","gengiva","ácido desoxirribonucleico","calamidade","adoção","paus", + "prata","boca","superstição","cantautor","nostalgia","nulidade","hasta","turbante","montanha","fotografia","insolência","excitação", + "camisinha","fadiga","poder","acelga","vandalismo","decímetro","factura","melões","veemência","agressão","digestão","acrópole","trimestre", + "pão","xícara","separação","meditação","língua","moeda","catchupe","sacramentos","anúncio","ababil","senhora","interrupção","confusões","vida", + "relações","julho","mente","verde","coxa","cara","liberação","chiqueira","audácia","estabilidade","polaco","verdades","injeção","indicação", + "submissão","rivalidades","tenho","obrigações","intuito","ameaça","preferência","regalo","implicação","fetichismo","contribuição","batata-doce", + "doença","fado","batel","fuzil","agua","realização","beleza","rol","distribuição","alquimista","interrogação","transgressão","personagem", + "atração","gueto","afirmações","evasão","ageusia","fleuma","peido","tempo","isenção","senhores","este","cigano","hora","lixo","cegonha","psicologia", + "poema","ala","judeofobia","conversação","participação","beligerante","vacina","hipérbole","horizontes","largo","oposição","relação","violinista", + "raiz","advogado","rubor","framboesa","fenda","migalha","epistaxis","tinturaria","conspiração","elevação","pretérito","homem","mastro","bastão", + "imprudência","fera","eternidade","tentativas","acne","batata","tonelada","asa","otorrinolaringologista","combustibilidade","sorgo","mão", + "adaga","economia","farinha","fracção","joelho","espadas","astato","frustração","negociação","neve","construção","cadete","ervilha","interrogatório", + "ou","citação","eixo","tese","cobre","prevenção","seiva","cozinha","carcereiro","reflexão","distância","penso","algas","entablamento","questão", + "palácio","humilhação","aliá","bordel","espargo","epilepsia","castração","flor","bagagem","enunciado","fidelidade","sucessão","manual","lírica","deficiência", + "pedra","seio","indicações","plancto","assimilação","tradução","esmegma","papricas","basalto","proxeneta","geóloga","octante","praia","terçol","contrariedade", + "radiologia","escritores","dignidade","noni","confissão","organização","francófono","par","bosta","conferência","marca","animal","senhor","Sri Lanca", + "pérola","esforço","sociologia","declaração","pórtico","bússola","fi","fuligem","colecção","bem","criações","balada","melão","tornado","dilema", + "pênis","estaca","téu-téu","pachorra","instituição","relva","abacado","divindade","despesa","vocação","confusão","afirmação","rua","dilatação", + "arte","maravilha","cerimônia","sim","ocaso","fricote","camião","resultados","manutenção","enunciados","andorinha","serpente","sobrancelha", + "fortaleza","biblioteca","compaixões","emergência","direção","ovelha","lontra","barbatana","bondade","cacique","color","inseto","impedimento", + "prosperidade","inexpressão","corações","povo","forno","perversidade","obturação","bem-vindo","fita","negro","chapéu","comunicações","transformação", + "recuperação","distinção","paprica","unha","pessoa","capa","promoção","pepino","quinta-feira","cenoura","situação","vermelho","agradecimento","curiosidade", + "sociedade","disparate","borrego","exportação","quisto","analogia","cônjuge","documentações","vacilação","monarquia","touro","escola","casa", + "convicção","protecção","filmoteca","pensão","virgindade","policarbonato","convento","sentença","energúmeno","estupidezes","extensão","adição", + "actriz","nutrição","limão","equinócio","mineralogista","lobo","conjugações","não","sangue","peçonha","lagosta","obstrução","esmeralda","mez", + "seta","eliminações","deísta","acentuação","efeito","banca","quero-quero","oiriço","ambulância","lástimas","atum","proibições","porção","diamante", + "desabrigo","bombordo","crucifixão","hotel","governo","fascismo","cobra","cinematecas","imperfeição","segunda-feira","inexecução","anarquista", + "catálogo","fatia","corporação","charme","extração","energúmena","predição","incomodidade","fomento","alho","natação","abano","avéstico", + "informática","ano","debuxo","alfinete","investigação","pluvioso","icaco","broma","leis","renovação","indiferença","intervenção","filme", + "corporações","concórdia","severidades","testemunho","energúmenas","mágoa","cor","documentação","prisão","barbarismo","adulação","humanidade", + "narração","introdução","maluco","perseverança","padaria","gaivota-preta","contradição","tentativa","intensidade","acentuações","abiogenesia", + "usuário","espontaneidade","guardanapo","greve","queixo","chuva","censora","aio","saeta","panela","discussão","ferrugem","cúmulo","sociólogo", + "aspiração","épica","piolho","dinheiro","companhia","ponte","bruxaria","morango","abelha","dinotério","manifestação","aristocracia","curva", + "conversações","certeza","predições","contradições","mama","limões","estafilococo","propriedade","cristal","poeta","escritoras","locomoção", + "carne","pudor","jazigo","uísque","estrada","piano","purificação","moderação","paraquedas","senhoras","energúmenos","rumor","detector", + "alavanca","laringe","chocolate","boda","usura","benevolência","aranha","lesma","camelo","pele","algofilia","fio","tradição","oscilação","birra", + "ciência","antropologia","inflamação","corno","gelo","irritação","coerência","erudito","paz","modalidade","focinho","flecha","bombeiro","colecções", + "fumaça","ácido","associação","pandeísta","penitência","progresso","horizonte","rancor","ilha","sargento","pula","comboio","linfa","vendedora", + "desproporção","luva","esquerda","prova","feição","destino","cel","aula","malaquita","expressões","viola","esparto","unidade","narina", + "ar","agudez","hiena","bênçãos","osso","marido","plebe","desodorante","baderna","inspiração","aborigen","Alcorão","samba","seno","ceia","sofá", + "espanta-boiada","vagão","explotação","reverência","partitura","projeto","melancia","civilização","pugna","imperialismos","curta","tabernáculo", + "inimizade","irreflexividade","citadela","caçoada","prumo","pássaro","orofaringe","elefanta","empresa","circunstância","trevo","pet","esforços", + "tanto","pastor","profissão","gesso","bandolim","fruto","freio","vitalidade","uva","fiel","prato","barco","prelúdio","vacuidade","fresco","essencialidade", + "criação","coroa","união","colégio","cumbia","sibarita","ab-rogação","escória","igreja","desambiguação","estômago","heráldica","expulsão", + "representação","flauta","servidão","inexistência","ambientalismo","entranhas","fábrica","problema","colo","obstáculo","dalmático", + "interpretação","serifa","decência","figo","esporte","esmola","encontro","cartão","vinagre","umbigo","simultâneo","alcalóide","facilidade", + "andrógeno","legião","administração","trombina","vendedoras","débito","saia","veludo","astronomia","infecção","plâncton","início", + "Wikinotícias","folha","relógio","novidade","votação","litro","enxofre","elaboração","ser","bagre","urso","visitação","conspirações","êxito", + "rugido","oxigénio","tesoura","alusão","necromante","elefoa","operação","nove","continuações","ativação","desaire","cebola","população", + "roupa","adulações","ressonância","distorção","conexões","preparação","irmão","insolação","pescoço","salidera","noite","compaixão","vergonha", + "ilusão","viagem","pátria","palma","morena","ativismo","decisão","caseiro","senso","cachecol","comunhão","excelência","rodapé","katakana", + "mestiçagem","tetéu","comodidade","legume","jacto","geólogos","nuvem","roda","oclusão","passareira","duração","dorso","admiração","tio","libélula", + "bandeira","atuação","declinação","autonomia","couve","verdade","ouriço","enxame","bancarrota","monociclo","costa","claridade" +}); + +const auto ptBRVerbs = std::to_array({ + "arpado","gostar","recalcular","he","maltratar","causa","estar deitado","rir","espulgar","talhar","apertar","pire","mirar", + "corrugar","revenir","reflexionar","molestar","testa","passear","dormir","ruborizar","remar","caçar","consigo","concentrar","brincar", + "gozar","condimentar","estar de pé","ergo","porfiado","elevo","abreviar","crispar","discernir","pacifique","jogar","dar","resultado", + "figura","é","erro","digerir","capa","aloque","cantar","substituir","viajar","abraçar","disparate","mate","enrugar","convoca","capto", + "interpretar","obcecado","mentira","adapta","pelado","arranhar","afiado","desabrochar","arrachar","opera","exhortar","subir","obstinado", + "soprar","fluir","casa","segurar","despojar","vendo","confortar","cosa","alugar","deliberar","chorar","amarrar","pregunta","documenta", + "habilitar","reutilizar","propicio","excruciar","partir","lamenta","nadar","calar","modelo","rogar","lembrar-se","embrear","borrar", + "desabrigo","deificar","torre","saber","fumar","sangre","acote","cobra","cair","masturbar","musicar","são","fomentar","uno","pelo", + "contar","bastar","assumir","transar","fomento","livro","errar","vencer","unto","criar","exhibir","intuir","flutuar","saltar","mudar", + "esperar","broma","nada","dizer","abolir","saudar","ouvir","basta","esfregar","açoitar","obrigado","explicar","incoar","ataca","liberar", + "misturar","aceitar","vibrar","existir","ver","suspender","remover","atado","desgosto","ilidir","pensar","bater","cavar","qualificar", + "abitado","argentar","divagar","lutar","morrer","execra","competir","paras","encher-se","recibo","reunir","habitar","aparentar", + "fender","curva","vomitar","exhalar","mama","temperado","telefonar","zebra","queimar","contagiar","ensanchar","chegar","ababelado","elevar", + "arre","responder","ter","chamuscar","exhumar","cohibir","escampar","abrasar","atingir","criticar","insistir","rasgar","malentender","boiar", + "serrar","comunicar","virar","poder","julgar","vir","abdicar","doar","plasmar","tornar","destruir","habilitadas","solapar","sentir","comprar", + "abortar","lavar","implicar","permutar","inculcar","absente","electrificar","exagerar","ir","abaratar","vender","esmagar","pôr","mente", + "pula","erradicar","pular","deter","apunhalar","adelgaçar","prova","considerar","beijar","tomar","ouço","exceder","puxar","regalo","abastar", + "espantar","decretar","chupar","alterar","alimento","adaptar","adoecer","agua","revisar","abonado","viola","tirar","sujar","gastar","elucidar", + "medra","buscar","lembrar","historiar","raspar","revelar","por","para","avaliar","ceia","crucifica","ato","riscar","ala","sentar","morder", + "processo","nutrir","enxugar","abalançar","rever","estar","quer","sugar","largo","frear","liam","castra","encher","fure","manejar","fingir", + "procurar","cheirar","acertar","tendes","mande","abraso","comer","cagar","pegar","matar","convocar","discorde","manjar","esfaquear","incomunicar", + "abríamos","empurrar","exclamar","continuar","exagera","abordar","aromatizar","atada","entro","viver","consulta","cortejar","concatenar","petrifica", + "foi","morar","amigo","interpreta","lançar","dialogar","observar","sepultar","pronunciar","musicalizar","temer","trazer","salgado","frigir", + "espie","caminhar","inactivar","comparar","cultivar","enunciar","abito","gelar","torrar","anega","topar","cascada","loar","valorizar","conhecer", + "vacinar","enunciado","rapar","habilitado","proclamar","dilato","fada","ser","rugido","afora","agradar","sois","prove","amar","fixo","tatear", + "colima","salve","roncar","cuspir","voar","intumescer","mine","manifestar","cachar","zapear","pavonear-se","exista","respirar","rebojar", + "reincidir","abite","multiplica","prohibir","lamber","ficar","conseguir","proteger","esquecer","faltar","reparar","ligar","sabia","espirrar", + "beber","arrancar","interrogar","fotografar" +}); +const auto ptBRInterjections = std::to_array({ + "ave","nop","obrigado","merda","sim","simbora","bravo","isso","tranquilo","salve","boa noite", + "adeus","é","alô","olá","até","caramba","ka","ciao","legal","oi","ui","porra","basta","bé", + "mentira","ai","palavra","não","bom dia" +}); +const auto ptBRPrepositions = std::to_array({ + "de","sob","após","com","por","sem","até","para","des","em","apud", + "afora","desde","atrás","ao","espós" +}); + + +const auto frFRAdjectives = std::to_array({ + "particulier","fictif","patient","azotique","gras","joint","clairsemé","ænigmatique","fourchu","étrange","capable","orange","dæmoniaque", + "acineux","gastronomiques","lent","vocalique","coercitif","bonne","chrétien","méconnaissable","gentilissime","libertin","gastronomique","honnête", + "cylindrique","basal","traditionnel","gentil","délicatissime","épais","akinétique","malaise","hors d'âge","citron","irrepérable","française", + "mou","homéotherme","croyable","sur","national","inrepérable","mignonne","brut","laid","caisse","imprévu","pénal","rapide","amœbien","dingue", + "instant","racial","penseur","diabolique","hæretique","chassieux","étroitissime","équin","idiot","retraité","hexagonal","blond","con","émoussé", + "crétin","tentatif","désireuse","chômeur","fainéant","moral","vilain","tenant","abaisseur","vacante","intelligent","œstral","blanche","malade", + "cupide","dernière","relevé","phœnicien","satirique","sale","ma","bigarré","præcedent","ménager","électrique","sauf","gynécologique","veuf", + "faible","public","sauveur","impoli","clinique","ami","fada","authentique","bénévole","correct","inattendu","inachevé","heureux","isolé", + "quarante","homéopathique","grand","principal","para","imberbe","æquitable","plaisant","caustique","long","beau","cardinal","odieuses", + "acinétique","durissime","caduc","hors d'usage","hypèthre","didactique","cher","vieille","crasseux","victorieux","apologétique","impossible", + "carnivore","vertébral","inscrutables","issu","rose","palæographique","vert","éloignée","spumescent","courant","glacial","grammatical", + "cæcal","heureuse","sporadique","polaire","logiciel","phlegmatique","vain","odieuse","désastreux","angélique","atone","buté","sentimental", + "missionnaire","œcuménique","confiant","sud","cœlomique","apical","elegante","latin","orbital","déplacé","ætiologique","photochimique","suave", + "emprunté","nu","bizarre","clarissime","mur","coûteux","irréparable","politique","filial","vorace","communicatif","bellissime","tristes","abécédaire", + "inabrité","attentif","notable","bombastique","sceptique","tel","viril","combustible","froid","petit","décidé","octogonal","héroïque","important", + "court","tombant","servant","œstrogénique","léthargique","blanc","automatique","mental","exceptionnel","drôle","glorieux","œnologique","comparables", + "ostensibles","bref","réformistes","athéistique","phantasmatique","notre","anal","content","balourd","innocent","magique","fatal","mon", + "phantomatique","convalescent","hors service","amœboïde","pourri","différent","tranchant","née","parænetique","concave","dégoûtant","filiales","exalté", + "nombreux","genevois","sauvage","ce","sphærique","mauvais","venu","sæculier","magnifique","naïve","eclyptique","analytique","prétonique","pris","ergonomique", + "ostensible","mince","lombal","lisse","plan","drôlissime","creux","vraisemblable","pescheur","seize","implacable","japonais","anesthésique", + "charmant","cintré","hypothétique","oriental","français","insouciant","tentative","obligatoire","mignon","dogmatique","cul","aboutissant","amibien", + "pressurisé","ébréché","désireux","pointu","æquilateral","irascible","indiscutable","matriarcal","bleu","leurs","écologique","diagnostique","montagnard", + "secret","d'après","dialectique","proche","fourbe","unique","pliable","pleine","vrai","flagrant","aucun","aloétique","toxicologique","imprenable","more","défectueux", + "anarchiste","seul","déshabillé","alphabétique","chauve","fleuri","métallique","noble","gay","terrestre","indémontrable","tissu","aveugle", + "mesquin","mieux","sensoriaux","étroit","chimique","sage","nabot","dessiné","tchèque","æsthétique","dernier","ouvert","organique","mort", + "icelui","pœnal","deuxième","véritable","carissime","débraillé","stœchiométrique","métier","cinquante","petite","ses","disjoint","œcologique", + "cuspidé","inné","hypodermique","religieux","lævogyre","bas","éloigné","brillantissime","adducteur","azoteux","voisin","large","marchand", + "piquant","dorsal","neuf","anglois","classique","diplomatique","démographique","créateur","or","meurtrier","astrologique","superlatif","faisable","chéri","normal", + "bassissime","pronominal","pleurnichard","fier","masculin","méchant","apostolique","amœne","compétent","déshonnête","commun","amer","naïf","dialogale", + "respectable","incolore","hérétique","douteux","explosible","brave","abbatial","sa","potable","homœopathique","modeste","véhément","certain", + "brutal","aristocratique","déguenillé","balistique","cryptique","ton","total","asthmatique","dialogales","tristissime","balte","bibliographique","horrible", + "gratis","rouge","officiel","plausible","éminentissime","glorieuses","rural","privé","professionnel","obéissant","musical","triste","rafraîchissant","lombaire", + "terrible","impassible","courageuses","saint","orangé","longue","fuchsia","doux","étiologique","décroissant","symptomatique","imbuvable","homœotherme", + "heptagonal","remarquable","este","insecticide","extrême","rarissimes","vécu","parent","æquivalent","fatigué","beige","chronique","royal", + "royaliste","égoïste","énergétique","onze","émancipateur","arbitraire","chevaleresque","nitrique","étranger","abstrait","élégantissime","belliciste", + "ancien","palpable","rôdeur","entêté","estrogénique","œnanthique","socratique","excellent","acoustique","pragmatique","couteux","œdipien","défensif", + "commune","arsénique","gynæcologique","aigu","præsent","polonais","fabuleux","nord","obsédant","archæologique","mate","charmantissime", + "friable","pêcheuse","belle","æternel","adjectif","obscure","constructrice","plein","suivant","tout","ouvrier","égale","incroyable","profonde","abaissant", + "cœliaque","botanique","sensorial","tibétain","précieux","abject","fiscal","cæleste","externe","pure","scientifique","plasmatique","athlétique", + "doré","fautif","implacables","dû","distant","quelle","azyme","fermier","sales","ascétique","suivante","gazon","amœbiforme","enfermé","sec", + "paresseux","cé","œsophagique","exprès","imprononçable","syntaxiques","aquatique","américain","bien","horrifique","astronomique","chétif","lourd", + "deux","pædagogique","chocolat","synonyme","intergénérationnel","montagnol","vierge","inétendu","pêcheur","réformiste","jaune","abdominal","vivace", +}); + +const auto frFRAdverbs = std::to_array({ + "métamorphiquement","presque","physiologiquement","automatiquement","sceptiquement","politiquement","præsentement","réciproquement", + "plus","chronographiquement","horizontalement","temporairement","asexuellement","chronologiquement","artificiellement","encore", + "étymologiquement","à pieds joints","bibliographiquement","commodément","petit","passionnément","énigmatiquement","court","dogmatiquement", + "total","derrière","devant","arrière","heureusement","anthropomorphiquement","arbitrairement","voire","tant","gratis","avec","photographiquement", + "pleinement","souvent","énormément","brièvement","sempre","affreusement","cacophoniquement","polyphoniquement","combien","fantastiquement", + "dessus","angiographiquement","promptement","humblement","cosmographiquement","philologiquement","probablement","particulièrement","rarissimement", + "héliographiquement","à première vue","cinématographiquement","éparsement","chirurgicalement","ensuite","plutôt","pas","hypocritement","alors", + "éphémèrement","inintelligiblement","là","brut","à l'œil nu","rapidement","prudemment","d'abord","anaphylactiquement","phantasmatiquement","prophylactiquement", + "dûment","guère","donc","pourquoi","loin","quand même","épatamment","également","phantastiquement","fâcheusement","vaillamment","œnologiquement", + "assez","hydrographiquement","cartographiquement","depuis","très","euphoriquement","uniquement","au","phonographiquement","métaphysiquement","historiographiquement", + "philosophiquement","anticonstitutionnellement","surabondamment","flegmatiquement","aveuglément","inutilement","cependant","holographiquement", + "ibidem","dessous","nono","même","toutefois","fortement","autour","sévèrement","exactement","œconomiquement","vraiment","lexicographiquement", + "physiquement","avant-hier","æsthétiquement","métaphoriquement","parfois","jamais","ralenti","stœchiométriquement","fantasmatiquement","obscurément", + "téléphoniquement","périodiquement","en","ainsi","œcuméniquement","phlegmatiquement","brusquement","profondément","totalement","près","homéopathiquement", + "hypertrophiquement","esthétiquement","laidement","pis","hier","indubitablement","aujourd'hui","chorégraphiquement","euphoniquement","journellement","bimensuellement", + "grammatiquement","rien","immensément","tout","grandement","épouvantablement","philanthropiquement","joliment","éperdument","paresseusement","après", + "précisément","proche","autrefois","quelquefois","partout","urgentissimement","œcologiquement","exclamativement","écologiquement","homœopathiquement","essentiellement", + "catastrophiquement","beau","lithographiquement","trop","rhétoriquement","puis","ethnographiquement","cybernétiquement","contentement","irresponsablement","chirurgiquement", + "exprès","orthographiquement","amoroso","qué","bien","nasalement","extrêmement","autobiographiquement","néanmoins","expressément","autant", + "profondissimement","hautement","mieux","verticalement","moins","géographiquement","démographiquement","ænigmatiquement","alphabétiquement","demain", + "horriblement","affectueusement","chromatographiquement","pharmacologiquement","monographiquement","point","auprès","aussi","conditionnellement","communicativement", + "anaphoriquement","apparemment","biographiquement","éducativement","phonologiquement","morphologiquement","apophatiquement","beaucoup","œdipiennement","contrairement", + "à plat ventre","non","hui","évidemment","cryptographiquement","calligraphiquement","y","tête-bêche","précieusement","accidentellement","phonétiquement","opiniâtrément", + "sagement","ægalement","franchement","surtout","communément","or","toujours","durement","seulement","si","vulgo","prophétiquement","naïvement","comme", + "de plus en plus","peut-être","autrement","diversement" + +}); +const auto frFRConjunctions = std::to_array({ + "Ou","donc","si","pulisque","comme","et","ensuite","mais","ni","quoique","puisque","quand" +}); + +const auto frFRNouns = std::to_array({ + "caméléon","jalousie","flottille","stimulation","alphabet","ciboulette","bras","tunnel","trésor","juin","œconomiste","œsophagotomie","élève","chai", + "toile","particularité","præjudice","santé","corset","jardin potager","victoria","dix","pays","citron","lime","jour","præstige","ténacité","aigle", + "rate","renommée","céleri","dictateur","nécromancien","dépêche","bisou","mélange","diplodocus","amitié","abandon","végétal","naja","vent","approvisionnement", + "territoire","moai","trompe","burqa","basta","instant","décès","nem","queue","abandonnement","face","hæretique","chimiste","équin","manoeuvre","dialecte", + "septembre","hameau","sarbacane","con","linge","conflict","souvenir","attention","tabatière","article","moral","cécité","pidjin","sédévacantisme", + "avenir","négociation","œstrone","emploi","curage","sauvegarde","armée","entraineur","satirique","nova","præcedent","palais","mors","fumée","esclavage", + "minute","maximisation","chassie","assault","épice","ourson","mot","localité","chaux","rien","clinique","coexistence","ami","fada","expression", + "minéral","sein","prêtre","babeurre","fait","conception","eau","quarante","principal","incommodité","individualité","nombril","rumba","urine", + "alcaloïde","cendres","performance","amphibie","rage","arsenal","symboles","fontanelle","appui","mousquetaire","humiliation","igloo", + "démonstration","perinæe","cadeau","apologétique","armistice","graisse","recherche","nævus","friteuse","esclandre","arthrose","corpulence","libraire", + "délégation","hémoc","cœnurose","paléographe","agneau","concitoyen","chapeau","œcuménicité","œcoumène","voie","polaire","unité","logiciel","rivalité", + "azeraille","pommier","arc-boutant","vulgarité","liquidation","dictionnaire","meeting","doubte","litre","yole","syndicat","rayonnement","route", + "autrui","autobiographie","conséquence","cœnure","gesse des montagnes","æther","schistosomiase","hæmorrhagie","coërcibilité","alluvion","salacité", + "suie","synapomorphie","déficience","avocate","nope","politique","parité","coquelicot","livre","midi","addition","maternité","circonférence","prædecesseur", + "lot","boussole","acculturation","souris","leçon","rancune","présidente","identité","orthographiste","paquet","bagne","carte","crossectomie","réformistes", + "œnomancie","renseignement","guitariste","trésorière","æsthésiomètre","malédiction","passe-temps","fin","athenæe","balourd","seau","pilule","exportation", + "onguent","cytodiérèse","lote","ame","stabilité","introspection","toast","temple","réconciliation","commodité","décence","phantasme","presqu’ile","diffusion", + "affinité","thrône","groupement","mammifère","foie","vieillissement","patrouilleur","actrices","passeur","serpent","merisier","sauvage", + "gars","abduction","colonisation","poire","eclyptique","anæsthésie","charme","étui","amabilité","surplus","miel","liberté","camp","écrivain","buvette","médecin", + "établissement","mercantilisme","boulier","possibilité","vacuum","stœchiométrie","moustache","vélo","épicier","ectopie","écho","classes","pizza","récupération", + "sphæroïde","thomisme","machine","prise en main","esprit","luminosité","japonais","abaisse","confiance","coulisse","français","œsophage","stratégie","cul","phrase", + "aboutissant","sirop","pharmacophobie","lotion","tomber","œstradiol","bleu","rumeur","hachure","æsthésie","cheville","fatigue","amœnité","bout","chenille","azote", + "stimulus","poterie","anarchiste","tuyau","campagne","déshabillé","collectivité","bourg","roche","multitude","cousine","journalisme","rémige", + "préambule","végétations","festivité","ouvrière","abraxas","abatteur","rein","notion","ordinateur","transaction","nabot","importance","trône", + "excitation","messie","testa","belle-sœur","tigreau","silence","préposition","robe","mort","numération","sœurette","place","tulle","œil","personnalité", + "rationalité","arbuste","initiation","lame","résistance","dirlo","proximité","décade","gâteau sec","agora","myoclonie phrénoglottique","orthographie","religieux", + "décadence","neuf","élaboration","créateur","or","répit","sénilité","gestion","jargon","quorum","pédérastie","chevalerie","alinéa","urbanisation","distinction", + "recette","institut","hommage","table","catastrophe","yeuse","indifférence","sommelier","hérétique","attitude","intelligence","faucon","archevêché","record","divulgation","coërcition", + "prospérité","juridiction","baht","simplicité","chaussure","fer","balistique","architecture","asthmatique","locuste","entrepôt","honnêteté","durée","collègue","légitimité","organisation", + "université","procaryote","tænia","sabotage","cœliotomie","innovation","personne","requiabtar","biochimie","captivité","sonorité","ébauché","mendiant","coup", + "grotte","troupeau","mercure","réfectoire","lamé","âne","sacrement","acide aminé","habitante","conscience","province","sauce","actrice","politicien","désarroi","insecticide", + "extrême","géographie","désaccord","éon","exécution","fourmi","diærese","parent","novembre","abonnement","infante","aphorisme","novæ","chronique","énergétique", + "éraflure","onze","uvule","dérive","barbarisme","franchissement","pauvreté","vagin","astronomie","précaution","acoustique","fille","prélude","foi", + "tapis roulant","prélèvement","tsunami","commune","renouvellement","pourboire","bagarre","losange","dette","royaume","zloty","chevalier","notice","bois de poule","citation","sous", + "insolation","illusion","radiologie","lé","clocher","interface","ganga","kaza","abattoir","poudre","dent","Australien","sobriquet","insecte","huis","anaphase","érable", + "doré","demoiselle","fermier","azyme","compréhension","gynæcologie","fraise","ka","surdité","suivante","extractions","cé","ala","exprès","bien","innocence", + "æmulation","brûlure","truffe","falaise","subpœnæ","cari","stripping","cèleri","jupe","go","chou-fleur","chair","ris","religion","classification", + "prénom","esquisse","prudence","hyène","emo","femme","salve","aménité","élimination","sincérité","excellence","logique","pampa","ophtalmologie","vendredi","suspicion","débilité", + "sexualité","amigo","bêta","tribune","fardeau","trottoir","pædiatrie","præcepte","intestin","pacha","oiseau","sensibilité","lest","révérence","retranchement","sortilège","férocité", + "prison","catalan","chamæléon","paludisme","oscillation","entrailles","main","rosaire","ombre","tænicide","azédarac","essentialité","morsure","équation","hæresie","cytocinèse", + "nef","empressement","cercueil","messieurs","sin","million","sveltesse","reporter","aventure","témoignage","sucre","footing","cœlacanthe","gonorrhée", + "législations","thrombine","azotate","hutte","Alouette","forêt","vulgaire","perte","oxymore","ambassade","législation","rhythme","œstriol", + "soif","enfer","capitaine","fou","pipi","miaulement","germandrée scorodoine","étroitesse","chaussée","gant","irruption","hausse","faculté","épreuve", + "mécanique","prætexte","roman","mécanisme","gorille","bête","anxiété","débris","alacrité","semence","hæmaturie","voyageur","gayo","est","myxœdémateux", + "cénurose","position" +}); +const auto frFRVerbs = std::to_array({ + "arracher","mobiliser","ouvrage","rire","se lever","se masturber","naitre","coudre","renier","rêver","étrange","refaire","été","soulever", + "nié","gérer","charmer","sacrer","dissiper","falaiser","commer","surpasses","gâte","fendre","charge","gagner","serrer","mortifier","possède", + "surmonter","décéder","avoir","naître","épurer","pouvoir","abattis","émerger","synthétiser","goutter","changer de crèmerie","prélasser","emmener", + "fragua","enduire","jeûne","tale","rate","pleurent","mine","rationaliser","fit","mordre","respirer","sont","vas","merda","sera","cela", + "savoir","exigent","quitter","peuvent","abrégé","dois","doit","assembler","roucouler","souhaiter","basta","dénié","su","prétendre","franchir","gonfler", + "visera","face","gorge","banque","démarrer","pousser","corde","perd","tendes","appris","baiser","mace","souvenir","convoiter","revenir", + "nier","chasser","tenant","laver","mépris","as","croitre","put","voler","router","brouillent","taire","armée","étreindre","præsenter","sale", + "bigarré","assassiner","se décoller","faisait","rechuter","adresse","ménager","esclavage","minute","retrancher","value","mange","mêler","racler", + "contrer","fada","attaquer","demeurer","refroidir","agacer","frotter","fait","appuyant","maltraiter","chevaucher","abréger","détrôner","adhærer", + "entrainer","para","lamenta","urine","boire","plaisant","contre","subir","tourmenter","barricader","représenter","puis","places","errer", + "sort","désirer","effraie","saigner","atterrer","masser","pote","mettre","marqua","sucer","dessiner","latter","apparu","lutte","recalculer","emmitoufler", + "pêcher","pourvoir","rejeter","salir","disais","rentrer","aimer","voie","noyer","discipline","abâtardir","éprouver","usine","couper","doubte","duper", + "gerber","essuyer","asseoir","ædifier","désavantage","buté","regarder","se battre","présenter","figure","avilir","autobiographie","hybrider","figura", + "témoigner","confiant","estimer","convaincre","sélectionner","mouche","dénier","téléphoner","munir","nope","gratter","assoiffer","courir","ay","ont", + "vorace","fantasmer","doute","reprocher","témoigne","afficher","féer","enfoncer","apaiser","fesser","livre","vue","ébat","restaurer","ai","fâcher", + "payer","a","devoir","sortir","jouer","décidé","banaliser","court","poignarder","tombant","brie","délasser","servant","aie","préoccuper","attendre", + "tremper","hachurer","fuir","créer","carte","coloniser","vivre","præparer","protester","se spasmer","décoller","colporter","verser","apparaître","autobiographies", + "peut","marcher","décréter","écouler","partager","renvoyer","prætendre","dégoûtant","prédire","trouver","exalté","uriner","facer","surmonte","chatouiller", + "venu","nicher","baisser","cascada","élaguer","éternuer","dormir","ranger","aboutir","déformer","stipula","pris","manquer","chanter","exagérer", + "pécher","frapper","apercevoir","viola","ôter","apprendre","vida","fonder","communiquer","divorce","demande","assumer", + "émailler","coercer","remuer","abaisse","note","charmant","industrialiser","accourt","dores","cintré","veux","darder","produit","rythme","ordonner", + "eu","écorcer","phrase","prouver","orage","piqué","supplier","sauver","tomber","minutes","geler","enlacer","grisonner","bêche","arrive","abêtir","chenille", + "broder","es","faire","reliant","discorde","entre","ébahir","bateler","garder","butter","déshabillé","balayèrent","fleuri","brouiller", + "hæsiter","sombrer","finir","hausser","aveugle","fournir","concernant","épargne","emmitoufle","fure","longer","manger","accorder","garnir", + "chouchouter","dessiné","trône","refermer","épargner","testa","fête","ouvert","danser","saler","être debout","mort","permet","repræsenter","place", + "esclavager","hurler","duit","devenir","cuisine","barricade","prædire","reléguer","souffler","s'étendre","tuer","œdipianiser","embaumer", + "orthographie","fâchés","manier","réalise","remettre","gêner","moquer","nourrir","voir","déconcerter","valoir","nager","flotter", + "annoncer","lier","dalla","accoutumer","embrasser","concerter","observer","tenter","délasse","esquisser","soutenir","renoncer","hésiter","table", + "pourchasser","tourner","bourdonner","conserver","manufacture","préfixer","abdiquer","nombre","brave","vais","encercler","rencontrant","mendier", + "envoyant","erré","réduire","exploiter","gaze","bramer","proposer","mortifie","durée","marcotte","envoyer","reviennent","écouter","abandonner","avait", + "pane","rendre","rafraîchissant","épingle","tromper","va","abat","espacer","mendiant","rougir","suivre","rejette","cracher","travailler","paresser", + "gâter","fourche","prend","assourdir","este","louange","aveugler","diverti","lui","parler","serait","vécu","devient","parent","approche","exposer","moyennant", + "programme","gaspiller","reprogrammer","cache","abattre","diplômer","labourer","outiller","remet","rôle","excaver","calculer","déconcertant","cintrer", + "cacher","s'ébrouer","émonder","moucher","mentira","sextupler","mente","tombe","manœuvrer","remplir","divertir","soit","exista","économiser", + "brûler","encaisser","enduit","appelée","mouillé","consulta","appuyer","jeter","appelle","rattacher","examiner","ramper","peuple","connaître", + "échapper","coëxister","songe","enfuir","être","médisant","abolir","croissant","étouffer","réparer","monophtongue","enfermer","proteger","envahi","couler", + "écarter","aura","assouvir","paras","améliorer","empêcher","lessiver" +}); +const auto frFRInterjections = std::to_array({ + "taratata","même pas en rêve","voilà","goddam","adieu","tintin","basta","bonsoir","bou du","pardon","respect","bravo","ciao", + "con","zut","merci beaucoup","bonjour","merci pour ton aide","dame","hi","mince","attention","merde","hon","qué","fi","bien", + "tonnerre","nope","mercredi","quoi","si","ay","oui","voy","salut" +}); +const auto frFRPrepositions = std::to_array({ + "dé","sous","par","selon","sauf","parmi","sans","de","depuis","pendant","moyennant","pour","après","d'après","avec","entre","à", + "dessous","contre","à grand renfort de","avant","concernant","en","sur","fors","dans","près","d'","chez", + +}); + + +const faker::word::Idioms_Map enUSIdioms{{enUSAdjectives}, {enUSAdverbs}, + {enUSConjunctions},{ enUSInterjections}, + {enUSNouns},{enUSPrepositions}, + {enUSVerbs}}; +const faker::word::Idioms_Map esARIdioms{{esARAdjectives}, {esARAdverbs}, + {esARConjunctions},{ esARInterjections}, + {esARNouns},{esARPrepositions}, + {esARVerbs}}; +const faker::word::Idioms_Map ptBRIdioms{{ptBRAdjectives}, {ptBRAdverbs}, + {ptBRConjunctions},{ ptBRInterjections}, + {ptBRNouns},{ptBRPrepositions}, + {ptBRVerbs}}; + +const faker::word::Idioms_Map frFRIdioms{{frFRAdjectives}, {frFRAdverbs}, + {frFRConjunctions},{ frFRInterjections}, + {frFRNouns},{frFRPrepositions}, + {frFRVerbs}}; + + +const std::map idiomsMapSpan({ + {faker::Locale::en_US,{enUSIdioms}}, + {faker::Locale::es_AR,{esARIdioms}}, + {faker::Locale::pt_BR,{ptBRIdioms}}, + {faker::Locale::fr_FR,{frFRIdioms}} +}); + +} + + + +#endif //WORD_STORE_H + + diff --git a/tests/modules/word_test.cpp b/tests/modules/word_test.cpp index bf8d64f1..93b1096b 100644 --- a/tests/modules/word_test.cpp +++ b/tests/modules/word_test.cpp @@ -7,11 +7,38 @@ #include "common/string_helper.h" #include "faker-cxx/word.h" #include "word_data.h" +#include "locale.h" using namespace faker::word; using namespace faker; using namespace ::testing; +namespace{ + + const struct Idioms_Map& getIdiomsMap(Locale locale) + { + if(idiomsMapSpan.find(locale)==idiomsMapSpan.end()) + { + return enUSIdioms; + } + else + { + return idiomsMapSpan.at(locale); + } + } + bool checkLocale(Locale locale) + { + if(idiomsMapSpan.find(locale)==idiomsMapSpan.end()) + { + return false; + } + else + { + return true; + } + } + +} class WordTest : public Test { public: @@ -69,7 +96,7 @@ TEST_F(WordTest, shouldGenerateConjunction) { const auto generatedConjunction = conjunction(); - ASSERT_TRUE(std::ranges::any_of(conjunctions, [generatedConjunction](const std::string_view& word) + ASSERT_TRUE(std::ranges::any_of(_conjunctions_sorted, [generatedConjunction](const std::string_view& word) { return word == generatedConjunction; })); } @@ -77,7 +104,7 @@ TEST_F(WordTest, shouldGenerateConjunctionWithExistingLength) { const auto generatedConjunction = conjunction(5); - ASSERT_TRUE(std::ranges::any_of(conjunctions, [generatedConjunction](const std::string_view& word) + ASSERT_TRUE(std::ranges::any_of(_conjunctions_sorted, [generatedConjunction](const std::string_view& word) { return word == generatedConjunction; })); } @@ -85,7 +112,7 @@ TEST_F(WordTest, shouldGenerateConjunctionWithNonExistingLength) { const auto generatedConjunction = conjunction(100); - ASSERT_TRUE(std::ranges::any_of(conjunctions, [generatedConjunction](const std::string_view& word) + ASSERT_TRUE(std::ranges::any_of(_conjunctions_sorted, [generatedConjunction](const std::string_view& word) { return word == generatedConjunction; })); } @@ -276,3 +303,429 @@ TEST_F(WordTest, returnsFirstElementWhenNoLengthMatch) ASSERT_TRUE(result == "three"); } + +class WordTestLocale : public TestWithParam +{ +public: +}; + +TEST_P(WordTestLocale, shouldGenerateadjectiveLocale) +{ + auto locale = GetParam(); + auto idiomsMapLocal=getIdiomsMap(locale); + + const auto generatedAdjective = adjective( 7,locale); + + ASSERT_TRUE(std::ranges::any_of(idiomsMapLocal.adjetives, [generatedAdjective](const std::string_view& word) + { return word == generatedAdjective; })); +} + +TEST_P(WordTestLocale, shouldGenerateadjectiveLocaleWithNoLocale) +{ + auto locale = Locale::en_US; + auto idiomsMapLocal=getIdiomsMap(locale); + + const auto generatedAdjective = adjective(); + + ASSERT_TRUE(std::ranges::any_of(idiomsMapLocal.adjetives, [generatedAdjective](const std::string_view& word) + { return word == generatedAdjective; })); +} + +TEST_P(WordTestLocale, shouldGenerateAdjectiveWithExistingLength) +{ + const auto locale = GetParam(); + const auto idiomsMapLocal=getIdiomsMap(locale); + + const auto generatedAdjective = adjective(5,locale); + + ASSERT_TRUE(std::ranges::any_of(idiomsMapLocal.adjetives, [generatedAdjective](const std::string_view& word) + { return word == generatedAdjective; })); +} + +TEST_P(WordTestLocale, shouldGenerateAdjectiveWithNonExistingLength) +{ + const auto locale = GetParam(); + const auto idiomsMapLocal=getIdiomsMap(locale); + + const auto generatedAdjective = adjective(0,locale); + + ASSERT_TRUE(std::ranges::any_of(idiomsMapLocal.adjetives, [generatedAdjective](const std::string_view& word) + { return word == generatedAdjective; })); +} + +TEST_P(WordTestLocale, shouldGenerateAdvervsLocale) +{ + const auto locale = GetParam(); + const auto idiomsMapLocal=getIdiomsMap(locale); + + const auto generatedAdverb = adverb(7,locale); + + ASSERT_TRUE(std::ranges::any_of(idiomsMapLocal.adverbs, [generatedAdverb](const std::string_view& word) + { return word == generatedAdverb; })); +} + +TEST_P(WordTestLocale, shouldGenerateadverbLocale2) +{ + const auto locale = GetParam(); + const auto idiomsMapLocal=getIdiomsMap(locale); + + const auto generatedAdverb = adverb(0,locale); + + ASSERT_TRUE(std::ranges::any_of(idiomsMapLocal.adverbs, [generatedAdverb](const std::string_view& word) + { return word == generatedAdverb; })); +} + +TEST_P(WordTestLocale, shouldGenerateAdverbWithExistingLength) +{ + + const auto locale = GetParam(); + const auto idiomsMapLocal=getIdiomsMap(locale); + + const auto generatedAdverb = adverb(5,locale); + + ASSERT_TRUE(std::ranges::any_of(idiomsMapLocal.adverbs, [generatedAdverb](const std::string_view& word) + { return word == generatedAdverb; })); +} + +TEST_P(WordTestLocale, shouldGenerateAdverbWithNonExistingLength) +{ + const auto locale = GetParam(); + const auto idiomsMapLocal=getIdiomsMap(locale); + + const auto generatedAdverb = adverb(0,locale); + + ASSERT_TRUE(std::ranges::any_of(idiomsMapLocal.adverbs, [generatedAdverb](const std::string_view& word) + { return word == generatedAdverb; })); +} + +TEST_P(WordTestLocale, shouldGenerateConjunction) +{ + const auto locale = GetParam(); + const auto idiomsMapLocal=getIdiomsMap(locale); + + const auto generatedConjunction = conjunction(7,locale); + + ASSERT_TRUE(std::ranges::any_of(idiomsMapLocal.conjunctions, [generatedConjunction](const std::string_view& word) + { return word == generatedConjunction; })); +} + +TEST_P(WordTestLocale, shouldGenerateConjunctionWithExistingLength) +{ + const auto locale = GetParam(); + const auto idiomsMapLocal=getIdiomsMap(locale); + + const auto generatedConjunction = conjunction(5,locale); + + ASSERT_TRUE(std::ranges::any_of(idiomsMapLocal.conjunctions,[generatedConjunction](const std::string_view& word) + { return word == generatedConjunction; })); +} + +TEST_P(WordTestLocale, shouldGenerateConjunctionWithLength0) +{ + const auto locale = GetParam(); + const auto idiomsMapLocal=getIdiomsMap(locale); + + const auto generatedConjunction = conjunction(0,locale); + + ASSERT_TRUE(std::ranges::any_of(idiomsMapLocal.conjunctions, [generatedConjunction](const std::string_view& word) + { return word == generatedConjunction; })); +} + +TEST_P(WordTestLocale, shouldGenerateInterjection) +{ + const auto locale = GetParam(); + const auto idiomsMapLocal=getIdiomsMap(locale); + + const auto generatedInterjection = interjection(0,locale); + + ASSERT_TRUE(std::ranges::any_of(idiomsMapLocal.interjections, [generatedInterjection](const std::string_view& word) + { return word == generatedInterjection; })); +} + +TEST_P(WordTestLocale, shouldGenerateInterjectionWithExistingLength) +{ + const auto locale = GetParam(); + const auto idiomsMapLocal=getIdiomsMap(locale); + + const auto generatedInterjection = interjection(5,locale); + + ASSERT_TRUE(std::ranges::any_of(idiomsMapLocal.interjections, [generatedInterjection](const std::string_view& word) + { return word == generatedInterjection; })); +} + +TEST_P(WordTestLocale, shouldGenerateInterjectionWithLength0) +{ + const auto locale = GetParam(); + const auto idiomsMapLocal=getIdiomsMap(locale); + + const auto generatedInterjection = interjection(0,locale); + + ASSERT_TRUE(std::ranges::any_of(idiomsMapLocal.interjections, [generatedInterjection](const std::string_view& word) + { return word == generatedInterjection; })); +} + +TEST_P(WordTestLocale, shouldGenerateNoun) +{ + const auto locale = GetParam(); + const auto idiomsMapLocal=getIdiomsMap(locale); + + const auto generatedNoun = noun(0,locale); + + ASSERT_TRUE(std::ranges::any_of(idiomsMapLocal.nouns, [generatedNoun](const std::string_view& word) + { return word == generatedNoun; })); +} + +TEST_P(WordTestLocale, shouldGenerateNounWithExistingLength) +{ + const auto locale = GetParam(); + const auto idiomsMapLocal=getIdiomsMap(locale); + + const auto generatedNoun = noun(5,locale); + + ASSERT_TRUE( std::ranges::any_of(idiomsMapLocal.nouns, [generatedNoun](const std::string_view& word) + { return word == generatedNoun; })); +} + +TEST_P(WordTestLocale, shouldGenerateNOunWithLength0) +{ + + const auto locale = GetParam(); + const auto idiomsMapLocal=getIdiomsMap(locale); + + const auto generatedNoun = noun(0,locale); + + ASSERT_TRUE( std::ranges::any_of(idiomsMapLocal.nouns, [generatedNoun](const std::string_view& word) + { return word == generatedNoun; })); +} + +TEST_P(WordTestLocale, shouldGeneratePreposition) +{ + const auto locale = GetParam(); + const auto idiomsMapLocal=getIdiomsMap(locale); + + const auto generatedPreposition = preposition(0,locale); + + ASSERT_TRUE(std::ranges::any_of(idiomsMapLocal.prepositions, [generatedPreposition](const std::string_view& word) + { return word == generatedPreposition; })); +} + +TEST_P(WordTestLocale, shouldGeneratePrepositionWithExistingLength) +{ + const auto locale = GetParam(); + const auto idiomsMapLocal=getIdiomsMap(locale); + + const auto generatedPreposition = preposition(5,locale); + + ASSERT_TRUE(std::ranges::any_of(idiomsMapLocal.prepositions, [generatedPreposition](const std::string_view& word) + { return word == generatedPreposition; })); +} + +TEST_P(WordTestLocale, shouldGeneratePrepositionWithLength0) +{ + const auto locale = GetParam(); + const auto idiomsMapLocal=getIdiomsMap(locale); + const auto generatedPreposition = preposition(0,locale); + + ASSERT_TRUE(std::ranges::any_of(idiomsMapLocal.prepositions, [generatedPreposition](const std::string_view& word) + { return word == generatedPreposition; })); +} + +TEST_P(WordTestLocale, shouldGenerateVerb) +{ + const auto locale = GetParam(); + const auto idiomsMapLocal=getIdiomsMap(locale); + + const auto generatedVerb = verb(0,locale); + + ASSERT_TRUE(std::ranges::any_of(idiomsMapLocal.verbs, [generatedVerb](const std::string_view& word) + { return word == generatedVerb; })); +} + +TEST_P(WordTestLocale, shouldGenerateVerbWithExistingLength) +{ + const auto locale = GetParam(); + const auto idiomsMapLocal=getIdiomsMap(locale); + + const auto generatedVerb = verb(5,locale); + + ASSERT_TRUE(std::ranges::any_of(idiomsMapLocal.verbs, [generatedVerb](const std::string_view& word) + { return word == generatedVerb; })); +} + +TEST_P(WordTestLocale, shouldGenerateVerbWithExistingLength0) +{ + const auto locale = GetParam(); + const auto idiomsMapLocal=getIdiomsMap(locale); + + const auto generatedVerb = verb(0,locale); + + ASSERT_TRUE(std::ranges::any_of(idiomsMapLocal.verbs, [generatedVerb](const std::string_view& word) + { return word == generatedVerb; })); +} + +TEST_F(WordTestLocale, shouldGenerateSample) +{ + const auto locale= Locale::en_US; + + const auto generatedSample = sample(); + + ASSERT_TRUE(std::ranges::any_of(_allWords_map.at(locale), [generatedSample](const std::string_view& word) + { return word == generatedSample; })); +} + +TEST_P(WordTestLocale, shouldGenerateSampleWithExistingLength) +{ + const auto locale = GetParam(); + Locale extra=locale; + + const auto generatedSample = sample(5,locale); + + if(!checkLocale(locale)) + { + extra=Locale::en_US; + } + ASSERT_TRUE(std::ranges::any_of(_allWords_map.at(extra), [generatedSample](const std::string_view& word) + { return word == generatedSample; })); +} + +TEST_P(WordTestLocale, shouldGenerateSampleWithNonExistingLength) +{ + const auto locale = GetParam(); + Locale extra=locale; + + const auto generatedSample = sample(0,locale); + + if(!checkLocale(locale)) + { + extra=Locale::en_US; + } + + ASSERT_TRUE(std::ranges::any_of(_allWords_map.at(extra), [generatedSample](const std::string_view& word) + { return word == generatedSample; })); +} + +TEST_P(WordTestLocale, shouldGenerateWords) +{ + const auto locale = GetParam(); + Locale extra=locale; + + if(!checkLocale(locale)) + { + extra=Locale::en_US; + } + + const auto generatedWords = words(5,locale); + + const auto separatedWords = common::split(generatedWords, " "); + + const auto &datamap=_allWords_map.at(extra); + + ASSERT_TRUE(std::ranges::all_of(separatedWords, [&datamap](const std::string& separatedWord) + { return std::ranges::find(datamap, separatedWord) !=datamap.end(); })); +} + +TEST_F(WordTestLocale, shouldReturnRandomElementWhenExactLengthNotFound) +{ + const unsigned int existingLength = 5; + + const auto locale= faker::Locale::es_AR; + + std::vector matchingAdjectives; + + auto sorted=_adjetives_sorted_map.at(locale); + + for (const auto& adj : sorted) + { + if (adj.size() == existingLength) + { + matchingAdjectives.push_back(adj); + } + } + + const auto generatedAdjective = adjective(existingLength + 1,locale); + + ASSERT_TRUE(std::ranges::find(sorted, generatedAdjective) != sorted.end()); + ASSERT_TRUE(std::ranges::find(matchingAdjectives, generatedAdjective) == matchingAdjectives.end()); +} + +TEST_P(WordTestLocale, shouldReturnEmptyStringForZeroWords) +{ + const auto locale = GetParam(); + Locale extra=locale; + + if(!checkLocale(locale)) + { + extra=Locale::en_US; + } + + const auto result = words(0,extra); + + ASSERT_TRUE(result.empty()); +} + +TEST_P(WordTestLocale, shouldGenerateLargeNumberOfWords) +{ + + const auto locale = GetParam(); + Locale extra=locale; + + if(!checkLocale(locale)) + { + extra=Locale::en_US; + } + + const unsigned int largeWordCount = 300; + + const auto generatedWords = words(largeWordCount,extra); + + const auto separatedWords = common::split(generatedWords, " "); + + auto dataset=_allWords_map.at(extra); + + ASSERT_EQ(separatedWords.size(), largeWordCount); + + for (const auto& word : separatedWords) + { + ASSERT_TRUE(std::ranges::find(dataset, word) != dataset.end()); + } +} + +TEST_F(WordTestLocale, shouldReturnEnglishSampleifLocaleNotFilled) +{ + const Locale locale= Locale::es_BO; + const Locale locale2= Locale::en_US; + + const auto generatedSample = sample(0,locale); + + const auto dataset=_allWords_map.at(locale2); + + ASSERT_TRUE(std::ranges::any_of(dataset, [generatedSample](const std::string_view& word) + { return word == generatedSample; })); +} + +TEST_F(WordTestLocale, shouldReturnPortugueseSampleifAskedforPortugueseWord) +{ + const auto locale= Locale::pt_BR; + + const auto generatedSample = sample(0,locale); + + auto dataset=_allWords_map.at(locale); + + ASSERT_TRUE(std::ranges::any_of(dataset, [generatedSample](const std::string_view& word) + { return word == generatedSample; })); +} + +TEST_F(WordTestLocale, shouldReturnFrenchSampleifAskedforFrenchWord) +{ + const auto locale= Locale::fr_FR; + + const auto generatedSample = sample(0,locale); + + auto dataset=_allWords_map.at(locale); + + ASSERT_TRUE(std::ranges::any_of(dataset, [generatedSample](const std::string_view& word) + { return word == generatedSample; })); +} + +INSTANTIATE_TEST_SUITE_P(testWordByLocale, WordTestLocale, ValuesIn(locales), + [](const TestParamInfo& paramInfo) { return toString(paramInfo.param); });