Finding many words from one word

Skip to content

Whenever you are asked to find smaller words contained within a larger one, you are looking for incomplete or subliminal anagrams. Although there are many online tools that can unscramble letters, you can find many words on your own using some simple strategies.

  1. Pull out any words that are already there

    Look for smaller words that are present in the larger word before any rearranging. If the larger word has multiple prefixes or suffixes, remove or cover them so you can see the root word. Write these words as you find them. For example, if you are looking at the word “deodorant,” start with “odor” and “ant.”

  2. Rearrange the letters

    Scramble or reorganize the letters so you can recognize new patterns. You could take, for example, every third letter to write them in a new order. For the word “deodorant,” taking every third letter would produce “ortdnoead.” You could also try putting the letters into a random grid, as they might appear in the game Boggle.

  3. Use found words to find others that are similar

    Once you have found a word, look for prefixes or suffixes present in the original word that can be added. Try exchanging or adding one letter at a time to the beginning or the end. Also look for similar sounding or rhyming words. For example, when working with “deodorant,” you could use “ran” as a base to help you find “rant” and “ranted.”

MORE FROM REFERENCE.COM

I can’t think how to do this without bruit-forcing it with all the permutations.

Something like this:

#include <string>
#include <algorithm>

int main()
{
    using size_type = std::string::size_type;

    std::string word = "overflow";

    // examine every permutation of the letters contained in word
    while(std::next_permutation(word.begin(), word.end()))
    {
        // examine each substring permutation
        for(size_type s = 0; s < word.size(); ++s)
        {
            std::string sub = word.substr(0, s);

            // look up sub in a dictionary here...
        }
    }

    return 0;
}

I can think of 2 ways to speed this up.

1) Keep a check on substrings of a given permutation already tried to avoid unnecessary dictionary lookups (std::set or std::unordered_set maybe).

2) Cache popular results, keeping the most frequently requested words (std::map or std::unordered_map perhaps).

NOTE:
It turns out even after adding cashing at various levels this is indeed a very slow algorithm for larger words.

However this uses a much faster algorithm:

#include <set>
#include <string>
#include <cstring>
#include <fstream>
#include <iostream>
#include <algorithm>

#define con(m) std::cout << m << 'n'

std::string& lower(std::string& s)
{
    std::transform(s.begin(), s.end(), s.begin(), tolower);
    return s;
}

std::string& trim(std::string& s)
{
    static const char* t = " tnr";
    s.erase(s.find_last_not_of(t) + 1);
    s.erase(0, s.find_first_not_of(t));
    return s;
}

void usage()
{
    con("usage: anagram [-p] -d <word-file> -w <word>");
    con("    -p             - (optional) find only perfect anagrams.");
    con("    -d <word-file> - (required) A file containing a list of possible words.");
    con("    -w <word>      - (required) The word to find anagrams of in the <word-file>.");
}

int main(int argc, char* argv[])
{
    std::string word;
    std::string wordfile;
    bool perfect_anagram = false;

    for(int i = 1; i < argc; ++i)
    {
        if(!strcmp(argv[i], "-p"))
            perfect_anagram = true;
        else if(!strcmp(argv[i], "-d"))
        {
            if(!(++i < argc))
            {
                usage();
                return 1;
            }
            wordfile = argv[i];
        }
        else if(!strcmp(argv[i], "-w"))
        {
            if(!(++i < argc))
            {
                usage();
                return 1;
            }
            word = argv[i];
        }
    }

    if(wordfile.empty() || word.empty())
    {
        usage();
        return 1;
    }

    std::ifstream ifs(wordfile);

    if(!ifs)
    {
        con("ERROR: opening dictionary: " << wordfile);
        return 1;
    }

    // for analyzing the relevant characters and their
    // relative abundance

    std::string sorted_word = lower(word);
    std::sort(sorted_word.begin(), sorted_word.end());

    std::string unique_word = sorted_word;
    unique_word.erase(std::unique(unique_word.begin(), unique_word.end()), unique_word.end());

    // This is where the successful words will go
    // using a set to ensure uniqueness
    std::set<std::string> found;

    // plow through the dictionary
    // (storing it in memory would increase performance)
    std::string line;
    while(std::getline(ifs, line))
    {
        // quick rejects

        if(trim(line).size() < 2)
            continue;

        if(perfect_anagram && line.size() != word.size())
            continue;

        if(line.size() > word.size())
            continue;

        // This may be needed if dictionary file contains
        // upper-case words you want to match against
        // such as acronyms and proper nouns
        // lower(line);

        // for analyzing the relevant characters and their
        // relative abundance

        std::string sorted_line = line;
        std::sort(sorted_line.begin(), sorted_line.end());

        std::string unique_line = sorted_line;
        unique_line.erase(std::unique(unique_line.begin(), unique_line.end()), unique_line.end());

        // closer rejects

        if(unique_line.find_first_not_of(unique_word) != std::string::npos)
            continue;

        if(perfect_anagram && sorted_word != sorted_line)
            continue;

        // final check if candidate line from the dictionary
        // contains only the letters (in the right quantity)
        // needed to be an anagram

        bool match = true;
        for(auto c: unique_line)
        {
            auto n1 = std::count(sorted_word.begin(), sorted_word.end(), c);
            auto n2 = std::count(sorted_line.begin(), sorted_line.end(), c);

            if(n1 < n2)
            {
                match = false;
                break;
            }
        }

        if(!match)
            continue;

        // we found a good one
        found.insert(std::move(line));
    }

    con("Found: " << found.size() << " word" << (found.size() == 1?"":"s"));
    for(auto&& word: found)
        con(word);
}

Explanation:

This algorithm works by concentrating on known good patterns (dictionary words) rather than the vast number of bad patterns generated by the permutation solution.

So it trundles through the dictionary looking for words to match the search term. It successively discounts the words based on tests that increase in accuracy as the more obvious words are discounted.

The crux logic used is to search each surviving dictionary word to ensure it contains every letter from the search term. This is achieved by finding a string that contains exactly one of each of the letters from the search term and the dictionary word. It uses std::unique to produce that string. If it survives this test then it goes on to check that the number of each letter in the dictionary word is reflected in the search term. This uses std::count().

A perfect_anagram is detected only if all the letters match in the dictionary word and the search term. Otherwise it is sufficient that the search term contains at least enough of the correct letters.

Everything You Need to Know about Word Unscramblers

Love playing Scrabble®? You know how difficult it is to find words among a bunch of letters. Sure, seeing vowels and consonants is everything some people need to win over any jumble.

However, figuring out a letter combination that forms an anagram isn’t a skill everyone possesses. If you’re one of those requiring word scramble help, I’ve got good news for you. It’s easy to figure out the missing word, even if you aren’t sure about it, especially if you are playing your favorite board game online.

You can discover new ways to make playing the game easy. Read on and discover your way to mastering any jumble.

What is a Word Unscramble Tool?

A word unscramble tool also goes by the name of «letter unscrambler» or «jumble solver.» It’s a tool that finds words hidden within jumbled letters.

An anagram solver lets you find all the words made from a list of letters presented in any order. You only need to locate the online tool and, in the search bar, enter any letters you can think of, including wild cards.

Many word solvers also let you choose a game dictionary. It gives you extra leeway to search with advanced options if you want to cheat with specific rules.

You don’t have to think of them as some unscramble cheat. Instead, using a scramble solver can help you study and practice your next Scrabble® or Words With Friends® match.

How to Unscramble Words and How to Use Advanced Options

Steps and Examples

The first thing you need to do is to find the best tool. Then, the steps are straightforward. Even more so, most tools follow the same steps; you’ll have a hard time getting lost with any scramble solver.

  • Step 1: Enter each of your current letter tiles in the search box. The maximum is fifteen. You can use two blank tiles («?» or SPACE).
  • Step 2: Hit the Search button. You will get to see different words coming up from the generator. Click on any word to see its definition. 

Want to get even better at the popular word game? Alternatively, you can also use Advanced Options to add in more complexity to your favorite word game. So, you can decide what letter or letter pairs the word should start with, or the letter you will find at the end. A wildcard letter can generate many letter ideas.

You can also decide how many letters the word will contain, or the word pattern. For instance, you can search for high-scoring words that have the letter ‘n’ in a specific position. When you are done, all you need to do is hit the search button again.

Then, you can see the words database categorized by the number of letters.

Unscramble Words Methods

There are two approaches when it comes to word scramble help. Each method sets itself apart depending on how you’re solving the anagram.

1. Unscramble Letters

The first approach is to unscramble letter combinations to make words. This way tends to be the most commonly sought-after because it’s easier to score more points and win when you’re not focusing on a specific word.

When we talk about having to unscramble letters to make words, the possibilities are more extensive.

This word scramble help consists of what you learned earlier. The unscrambler tool receives combinations of letters and proceeds to unscramble them into different words.

If your objective is to rely less on that random wildcard and increase your vocabulary, this way is the best.

2. Unscramble Words

This type of word solver is much more restrictive. If you go with it, you’re choosing to unscramble jumbled words. It’s the closest you can get to a literal anagram.

To unscramble this anagram is much more difficult. You’re going after an individual result instead of many possibilities.

Online tools to unscramble jumbled words are usually more difficult to find. Often, the easiest way to unscramble a specific word with online help is to use filters. This way, you can limit the results and narrow them down to what you want.

Tips and Tricks to Unscramble Long Words

Words longer than five letters can be a nightmare. However, there are a few tips we can give you to make your life easier.

Tip 1: Focus on Syllables

Firstly, you can exploit the mighty syllable. People make words from syllables, not letters. You can merge vowels and consonants and form letter combinations (like suffixes and prefixes) that often go together. This way makes it easier to visualize possible words.

Tip 2: Vowels vs Consonants

Another way is to separate consonants and vowels. It often makes answers more noticeable than having everything jumbled.

Tip 3: Separate the Letter S

Lastly, the chances are that your language pluralizes words by adding an S in the end. If you’re playing Scrabble® and have a noisy S, taking up space, you probably can place it as adjacent letters at the end of your next word.

Most Popular Unscrambling Examples

There are ways to make the next puzzle game more exciting. Additionally, you can use these «rules» to focus on particular vocabularies you want to improve.

A. Three Word Finding Examples by Length

The first example is to unscramble anagrams into a set number of random letters using advanced options.

  1. Make 7 letter words with these letters: AHSJFTSIKATL
    Fajitas
    Saltish
    Khalifa
  2. Make 6 letter words with these letters: OKLIYNCMZHOF
    Colony
    Flinch
    Kimono
  3. Make 5 letter words with these letters: MGJDUHSIAOET
    Audio,
    Amuse
    Guest

B. Two Word Solving Examples by Topic

The other way to solve a letter scramble puzzle is to focus on a topic. You can choose specific categories for your anagram, or you can limit your jumble to a certain language like German or French to make things harder!

  1. Find home utilities with these letters: KSIETNCHOFRK
    Kitchen
    Fork
    Knife
  2. Find food-related words with these letters: AJDOQIUESHNM
    Quinoa
    Queso
    Squid

If you are looking to get better in the board game faster, this Word Unscrambler is the one you need to check out – for sure! For Crossword Puzzles lovers, we have a different tool. Try it here when you are stuck in solving any clue.

Anagram Solver is a tool used to help players rearrange letters to generate all the possible words from them. You input the letters, and Anagram Maker gives you the edge to win Scrabble, Words With Friends, or any other word game. No matter the length or difficulty of the word, Anagram Solver provides all available word options.

Anagrams — Definition and Examples

Have you ever heard of an anagram? Maybe you recognize the term, but you’re not exactly sure what it means. On the other hand, you might be an expert at using anagrams and have fun with them when playing various word games and board games.

What is an Anagram?

Anagrams are words or phrases you spell by rearranging the letters of another word or phrase. For instance, fans of the Harry Potter series know that Lord Voldemort’s full name is actually an anagram of his birth name, and some people even play games challenging one another to make anagrams still relevant to the original term. For example, «schoolmaster» can be turned into «the classroom», «punishments» becomes «nine thumps», and «debit card» turns into «bad credit».

The only rule is that all the letters from the original word or phrase must be used when they’re reordered to say something entirely different.

History of Anagrams

Historians suggest that anagrams actually originated in the 4th century BC, but weren’t commonly used until the 13th century AD when they were sometimes thought of as mystical. Imagine that!

20 Cool Anagram Examples

Whatever your level of knowledge, Word Finder can be a great tool to assist you to unscramble letters and identify anagrams when playing online and offline games. Here are some examples to help you become more familiar with anagrams ─ starting with the word “anagram” itself.

  1. anagram = nag a ram
  2. below = elbow
  3. study = dusty
  4. night = thing
  5. act = cat
  6. dessert = stressed
  7. bad credit = debit card
  8. gainly = laying
  9. conversation = voice rants on
  10. eleven plus two = twelve plus one
  11. they see = the eyes
  12. funeral = real fun
  13. meteor = remote
  14. the classroom = schoolmaster
  15. meal for one = for me alone
  16. sweep the floor = too few helpers
  17. older and wiser = I learned words
  18. video game = give a demo
  19. coins kept = in pockets
  20. young lady = an old guy

Anagram Solver for Scrabble, Words with Friends and Crosswords

How does anagramming help with word games? Easily, it forces you to start reimagining your tiles in a less confusing way. You’ll start looking at how to make any phrase or word instead of simply struggling with what appears on the board and the rack.

Some people are naturals at coming up with anagrams. However, it’s a rare person who can look at language and expertly rearrange the consonants and vowels to arrive at interesting or entertaining new compositions.

What is an Anagram Solver?

An anagram solver is a terrific tool that many people like to rely on to create different letter combinations.

How to Use an Anagram Solver in 3 Simple Steps

  • Step #1: Recognize prefixes and suffixes.

Following are common ones:

Some prefixes that start words ─ ab, ad, dis, de, ex, re, sub, un

Some suffixes that end words ─ ed, er, ing, ism, ly, ment, ness, tion

  • Step #2: Pick them out.
  • Step #3: Reorder the letters into new words.

Anagramming Example

One example is that the word “painter” could become “repaint” by moving the suffix to the beginning so that it becomes a prefix. Alternatively, the letters could be rearranged to make the word “pertain”.

Using Anagram Maker

Now, you may not see how anagramming can really help you win at games such as Scrabble or Words with Friends. However, just think about it for a moment. If you have the board in front of you, and it is loaded with an array of pre-existing words and open spaces, your strategy demands you consider the most lucrative moves. It is not just about making the longest word, but more about the words that give the most points. Anagram generators, like ours, give you solutions with anything from two to six or more letters. You can then use them to plug into the available spaces, finding the highest points possible.

Scrabble Anagram Maker

Seasoned Scrabble players will already know the value of using an anagram generator. After pulling seven tiles from the Scrabble bag and laying them out on their rack, the first player must use a sufficient number to make a complete word to get the game going. There can be a lot riding on this initial play. So, it’s not an uncommon practice for participants to take a little time moving the letters around to see what arrangement will give them the highest score. After all, if they can keep their early advantage, they may eventually win the game!

What’s more, as the game progresses, players will sometimes become stumped about how to display the tiles that they have on the board to gain the most points for the play. In short, having an anagram creator can assist Scrabble players to use their tile points to make words with the best possible score quickly so that the game remains exciting.

Words with Friends Anagram Finder

Similarly, an anagram word finder can be an invaluable device when enjoying Words with Friends. Faced with a jumble of letters, some players may be tempted to cheat or may try out words that they’re not very sure of. Would you believe that the English language has over 171,400 words? In addition, new words are added all the time. Therefore, it’s no wonder that game participants will sometimes become confused or perplexed when they’re attempting to solve multiple words and figure out where to make their next move.

Since Words with Friends is a digital game, you may be engaging with people anywhere in the world unless, of course, you choose to play solo. The game has the potential to be quite fast-paced, and you certainly don’t want to contemplate over your next move to slow things down ─ particularly when you may just be getting to know your opponent! This is where having a word anagram aid to use can be indispensable.

2 Tips to Solve Anagrams for Word Games Players

Are you ready for some final tips about solving anagrams? We’re sure that you can put the following information to good use!

Tip 1: Word Unscrambler 

By employing Word Unscrambler, participants in word games are able to search for anagrams by entering the letters and wildcards that they have. Not only that, but they can use an advanced filter to discover words that start or end with particular letters and for other inquiries.

Here are a few examples:

The word “listen” is made up of letters EILNTS. When the word itself if entered in the Word Unscrambler, it quickly finds “silent”.

Along the same lines, “save”, comprised of AESV, reveals the word “vase” in the Word Unscrambler.

Tip 2: Phrase Unscrambler 

When we study a phrase on its own, we can become quite stuck on its meaning and it can be difficult to see just how the words and letters can make something new. Hence, Phrase Unscrambler can be very valuable when players are looking to change the letters around in phrases to pinpoint anagrams. 

Take a look at these examples:

“Dirty room” contains the following letters ─ DIMOORRTY. Putting the phrase into the Phrase Unscrambler uncovers the word “dormitory”.

By entering the phrase “moon starer” that has these letters ─ AEMNOORRST, the Phrase Unscrambler locates the word “Astronomer”.

Start playing with our anagram finder and discover the surprising number of options just a single collection of tiles can yield. Become an anagram creator today!

Word Finder Tools / Dictionary Search Tools Operating On The
Litscape Default Word List (221,719 Words)

Find words using these letters / Find words in a word

This search will find all words contained in the letters that you specify, as long as the word is in this word list. The resulting words will have some or all of the letters, and only these letters. This search is sensitive to the frequency of occurrence of letters in the requested set. For example, if you specify 2 e’s in your request, the resulting words will have, at most, 2 e’s. More words will result from more letters, but too many letters might produce too many words and obscure your findings. The contains only search is a good Scrabble® or Words with Friends™ helper. Enter your letters and click the Find Words button. If you find yourself entering a letter set in the contains only search box, and doing repeated searches, each time altering a single letter, perhaps the contains only, plus one blank tile search, would work better for you.

Do a word finder search.
Results will display below.

You can use this search to suggest words containing only the letters in your Scrabble® rack. All words in our word list (over 221,719) that contain some or all of the letters will be displayed.

Find words containing only, really only …

If you want all the letters to be used the same number of times that is specified in the requested set of letters, with no other letters present, then try our anagram search.

Find words containing only, but any number of times …

If you want to find words made from some or all of the letters, but have these words use only these letters in any amounts, then use the find words made from search.

Scrabble® Tips

Find the longest word that can be made with the given letters.

This search will find all words using these letters, and only these letters, in our word list of over 221,719 words. Use the buttons below the word list to sort the words by length, and then reverse the list to place the longest words first.

Get more words with these letters.

Enter the letters on your scrabble rack and the letter on the Scrabble® board that you are trying to play off of. More words will result from more letters, but too many letters might produce too many words and obscure your findings.

Easily find words with similar endings in the given letters.

Sort the words alphabetically from the end of word, using the buttons below the word list.

v2.0.2, 03 Mar 2022 by Robert Giordano
Design215 Word Finder

The Design215 Word Finder is a free utility that unscrambles words, finds anagrams,
solves jumbles, finds rhyming words, and helps with Scrabble, crosswords, and other word games.
For example, you can find all 6 letter words that start with «d» and end with «n».
Find words that rhyme by searching for words that end with the same letters.
If you enter letters into the «Unscramble» box, the other fields will be ignored
and the program will find any words that can be formed from those letters. Unscramble
now finds combinations of two words by default.

Directions and Tips

  • Playing Wordle? Try the Word Pattern Finder
    if you need to use placeholders and exclude letters with «DOES NOT CONTAIN» etc.
  • UNSCRAMBLE UPDATED 12.22.2012:
    By default, the «Unscramble» box now returns a list of one and two word
    solutions that use all letters. Remember, the «Unscramble» box ignores all other fields.

    For games like SCRABBLE®, check «show all words you can make with these letters»
    to find all words that can be made from any number of the letters entered.

  • Word searches return a maximum of 500 words, 1500 for unscrambles.
  • To find words that rhyme, enter the last few letters of a word in the «Ends with» box.
  • Use the «Length» menu to limit the number of letters in the words being searched. If you only
    want to find 4 letter words, select «4 letters». If you want to find words of any length, up to
    and including 8 letters, select «8 letters» and check the «or less» box.
  • The «Contains» box works two ways. Enter «cat» with the checkbox unchecked, and you’ll find words
    like «catch», «locate», and «tomcat». If «any order» is checked, you’ll find words containing the letters
    «c», «a», and «t», in any order, like «cadet», «exact», and «teach».

    Complex Example:
    If you wanted to find words that begin with «a», end with «s» and contain «a» and «i» in the
    middle of the word, enter «a» in «Begins with», «s» in «Ends with», and «aai» in «Contains» with
    «any order» checked. The two a’s are necessary if you want words that begin with «a» AND have
    another «a» somewhere in the middle. You’ll find «airbags», «animals», and «aviators».

  • Wildcards or Missing Letters?
    To unscramble a word when one or more letters are missing:
    1. Enter the known letters in the «Contains» box instead of «Unscramble».
    2. Check «any order».
    3. Select the total number of letters in the word from the «Length» menu.

    For example, if you had 4 letters and a
    wildcard, «e?tca», you would enter «etca» in the
    «Contains» box, check «any order» and select a Length of «5 Letters».

  • Crossword Puzzles
    Use the «Length» menu with a combination of «Begins with», «Ends with», or
    «Contains», depending on what letters in the crossword are filled in. Uncheck «any order».

We Want Your Suggestions!

If you find a bug, or have any suggestions to make our utility better, please leave a comment below or contact us directly. We want to constantly improve our site by listening to your
feedback! =)

History

The programming for this page was originally written in GFA-Basic by Robert Giordano on an
Atari TT030
while he was in college. His program would spellcheck in real time
as you typed, on a 32mhz computer, using a 99,000 word dictionary! People using Windows 95 were
amazed… and jealous. In 2001, he converted some of the code to ASP and
created a web page on gallery215.com but
it was not available to the public. In 2005, the ASP version was converted to PHP for this
site using the ASP Translator and a few tweaks.

SCRABBLE is a trademark of Hasbro in the United States and Canada.
Scrabble rights elsewhere in the world are held by J.W. Spear and Sons, PLC.

[115 Comments]

Design215fan

14 Mar 2021 4:11pm

«This helped with everything so much so soon. I am getting this app thanks«
 

Word Herder

05 Feb 2019 4:47pm

«I’m old school and remember when there was NO electronic help for homework or word games. Thank GOODNESS those days are over! =) I love this site. I can stop asking my oh-so smart husband «What do these letters make?» and getting that condescending sigh and the right answer instantly. Suck it, Trebek!«
 

Louise

01 Jan 2019 12:16pm

«Love your website!! Do you happen to have an app? If so could you send me a link? All the best of health and happiness in the New Year!«
 

Ali

20 Sep 2017 4:57am

«This site is so awesome. It is so helpful. Good job«
 

Jarden Meyer

15 Mar 2017 11:30am

«I love this app it helps me with my assignments and my school easy PEZ life is easy I might keep this app love it«
 

Benjamin Luboya

29 Dec 2016 4:09pm

«I appreciate the algorithm of the processor script. Keep it up«
 

Education

05 Nov 2016 11:55am

«I use this in my classroom to find more words with our pattern we’re learning.«
 

Love this tool

03 Oct 2016 10:36pm

«I use this all the time for songwriting! I’m a marketing and social media consultant who also loves to play Scrabble. I find it amazing that it has been in use for over 10 years. Thanks to everyone.«
 

Ashley

13 Aug 2015 2:04am

«Provide a facility to repeat the words. Eg abcdefg to give word cabbage«
 

Phil WWF

04 Jul 2015 1:52am

«Pretty much my go to site if I am behind in words with friends and need a quick 50 plus point word to get back into it. ThanKs!«
 

letter word finder

16 Apr 2015 11:01am

«Love this… it helps my child for his assignments.«
 

AmaZayn Website

25 Feb 2015 10:37am

«What a great site…… Found every word I needed :) P.S :I»m a Directioner ( I had to put it in there :p ) xx«
 

awesome

02 Dec 2014 8:14pm

«Pretty easy to use«
 

De’Onte Pittman

16 Oct 2014 12:57pm

«your website didn’t help at all your just a no good man who wanted to be a web site designer isn’t that right!

[Reply from Robert Giordano]
*you’re«

please help me i tried everthing

26 Apr 2014 5:42am

«Want to make a 8 letter word with these letters (iogzelvrdkl) tried on your site says 0 words help me out

[Reply from Robert Giordano]
If you check the box that says «Show all words you can make with these letters», then it will find a bunch of words, including these 8-letter ones:

lordlike
overgild
overkill«

TEXT TWIST

12 Jan 2014 4:58pm

«I use this every time I play the game. I learn new words, see letter combinations in a different way and always enjoy the instant results.«
 

congratultions from L.Gairy livi

09 Oct 2013 9:10am

«i love this website«
 

frustrated

18 Aug 2013 9:48pm

«Helped needed, No words found using the following 16 letters: eepiluntavcardat to make 2 words that finishes this quote «if marco polo had needed money for his epic journey, he could have raised _ _ _ _ _ _ _ _ _ (9 letters) _ _ _ _ _ _ _(7 letters) Thanks!

[Reply from Robert Giordano]
I don’t know why it didn’t work for you. I just pasted your letters in the unscramble box and got:

ADVENTURE CAPITAL«

Debs

11 Apr 2013 7:40am

«Didn’t find «air conditioner» from naiudocoitrrienn, but still the best unscramble website, thanks!!

[Reply from Robert Giordano]
AIR CONDITIONER is 14 letters. You have 16 letters. Perhaps that’s why it didn’t work?«

Word finder I need help!!

03 Apr 2013 1:28am

«hi umm does any one know the answer to this? so umm we have a unscramble the letters but I don’t know the answer to this one so do any of u know? it is rinttlet. clue is it is to do with how to make static images more effective. thx!«
 

unscramble

09 Dec 2012 4:19pm

«Failed to find «chariot races» from : ascorecharti

[Reply from Robert Giordano]
It works fine now, since the December 22 update. It also found these word pairs from your letters:

ARCHAIC STORE
CHAIR COASTER
CHIA CREATORS
ERRATIC CHAOS«

your mom

17 Nov 2012 11:33pm

«This website STINKS!!! I put in the letters «ICAREPTG» and it gave me «price gat» and all other kinds of two word pieces of garbage, but no «price tag.» You should be ashamed of yourselves, whoever created and/or runs this website.

[Reply from Robert Giordano]
LMAO I just tried it and «PRICE TAG» appears immediately after «PRICE GAT» in the list of results. All of the other «pieces of garbage» are actual words that appear in dictionaries and are legal for use in competition Scrabble. =)«

katie

22 Oct 2012 5:44pm

«no known words for these letters: OPCTKUL

[Reply from Robert Giordano]
Its «potluck». I don’t know why it didn’t work for you.«

keith nightingale

18 Sep 2012 12:52am

«a good tool for crossword puzzles«
 

Glad you are back

15 Sep 2012 5:40am

«This is one of my favorite sites.«
 

awesome

29 Jul 2012 10:57am

«thanks, i use this for my crosswords n stuff. works every time«
 

Design word finder app

26 Feb 2012 4:08pm

«Please, please make this into an app! None of the others are as good«
 

Donta White

22 Feb 2012 12:08pm

«thanks soooo!!!!!! much for this site it help me big time and by the way this site is the best that i found so far and thank u who made this site like i said it’s the best!!!!!!!!«
 

Chadworthy

20 Feb 2012 6:41am

«Awesome for Words with Friends! Lol«
 

ari

31 Jan 2012 12:37pm

«best word finder«
 

Cool website!

18 Jan 2012 5:53am

«I arrived here via your «unscrambler» and was surprised to see all the other features. I’m looking forward to exploring them. IMHO, the value of word scrambles and word find puzzles as homework is suspect. They may help with spelling, I suppose, and definitions in some formats, but appear to have little to offer in terms of helping students better understand and apply concepts. So, if using your resource helps students complete «busy work» assignments more efficiently, hurrah for time management!«
 

Shirl

05 Jan 2012 7:04am

«I think this site is great! It’s been shared with others who «get stuck». My daughter calls it my word cheater, I call it assistance when necessary! Very easy to understand the results and we love it! Thanks so much!«
 

Great site

25 Nov 2011 11:51am

«Love this site! I seem like a pro playing scrabble online. This site is my little secret weapon.«
 

awesome

08 Nov 2011 12:42pm

«this website is awesome helped me unscramble remembranceday«
 

6gradestudent

20 Oct 2011 12:45pm

«love this site! Helped me get extra credit in school with brainteasers! Yippee!!!!!!!!!!!!!!«
 

PHEW

20 Oct 2011 12:10pm

«Wow that just save my life. first i went to google to find stuff and here it is. :D :D :D :) «
 

diego’s mom

30 Aug 2011 1:23pm

«THANKS!!!! Bookmarked, shared and enjoyed! Thanks for letting us smile and conquer a difficult homework. Blessings.«
 

Awesome site, Great help!

27 Aug 2011 11:05am

«I was leaving a comment on a board I frequent, couldn’t think of a word I wanted to use. Googled «word finder» and came here because of description, «find words for poetry.» I write poetry, so I checked it out. Wonderful site!!! I’ve bookmarked it and will come back when I need words while writing poetry. Thank you! =)«
 

Atari

28 Jul 2011 5:52am

«Great stuff and fun. I always wanted an Atari Transputer. Had the ST line and loved it for it’s day. Was the Transputer using GEM or some other OS?«
 

Word Finder

17 Jul 2011 6:49pm

«This site awesome…«
 

kelly

16 Jul 2011 7:12am

«i love this site. awesome. definitely bookmarked :-) «
 

thanks

14 Jul 2011 4:53am

«Thanks for the help on a quick jumble I got stuck on. You’ve shared your talent and have helped a lot of people. Blessings to you.«
 

Lorraine Hindley

11 Jun 2011 7:52am

«You have just solved an anagram in seconds that I have been trying to solve for about an hour. Thank you.«
 

find word

28 Apr 2011 5:21pm

«Find the word -a-i-r-s- girls like it parents hate it

[Reply from Robert Giordano]
Is each one of those dashes a placeholder? If so, I only found one word, JANITRESS, which doesn’t make much sense. If you are looking for a 9 letter word that contains those letters in that order, how about HAIRSTYLE ?«

Eric Kiwi

19 Apr 2011 10:28am

«Hey! Great site — crypto doer paradise«
 

wordnerdy

02 Apr 2011 12:03pm

«From «OURUNSTY», Word Finder produced «you runts», and 94 other 2-word solutions, but not «you turns» (Today’s «Jumble» solution: no «you» turns: solution to «What one gets when they carpool with someone who won’t stop talking»

[Reply from Robert Giordano]
I just checked and while you are correct, it did list «turns you». Because of the way I wrote the code, it may not list every combination of the same two words it finds. Sorry about that. I’m always trying to come up with ways to improve the code so I’ll give that some thought.«

Word scramble~katie

31 Mar 2011 1:05pm

«Great help when I can’t find anymore words. Brain freeze, helps to thaw it.«
 

This is going to be great

15 Mar 2011 11:41pm

«I was wondering if you have any recommendations for a resource online that creates categories for the sound patterns versus the spelling patterns? Thank you.«
 

missing result

01 Feb 2011 6:03pm

«iecarkgdceotan is «cake decorating». It wasn’t shown in results… =(

[Reply from Robert Giordano]
To unscramble two words, you have to check the «all possible» box. I just tried it and it works. Otherwise, it tries to unscramble it as a single word. It also unscrambles as «coed caretaking» and «certain dockage». =)«

cheating with your computer

30 Jan 2011 7:09am

«so I use this program, I’m not using my brain to beat someone at Scrabble, my machine is winning not me. My computer beat your computer. You call this fair, I think not

[Reply from Robert Giordano]
LOL«

Great Site but

23 Jan 2011 1:36pm

«could not get the word for » starts with f and ends with m and contains ivuwa and an unknown ???? I will use the site in the future when I am up against it!!

[Reply from Robert Giordano]
I’m not sure what the word is either. The first word list contains all of the officially allowable Scrabble words. The second word list is for spell checking documents. There are many obscure words that are not in either list. I am working on additional word lists. If you entered a valid email, I’ll let you know when it works. =)«

Amy

11 Jan 2011 3:58pm

«Got me out of a jam!! Awesome! Thank you!«
 

Excellent

09 Jan 2011 4:59am

«did my daughters homework on this — (I could not find any word that contained «OAH» — found it here as OctAHedral) But failed to find «YLW» — its yellow otherwise nothing like this site that I could find — thanks

[Reply from Robert Giordano]
To find «yellow» from «YLW», you have to check the «any order» box. Otherwise, it tries to find those three letters next to each other. Didn’t you have the «any order» box checked to find «Octahedral»?«

shakira

09 Nov 2010 10:08pm

«AWESOME !!!!!!!!!!«
 

Unscrambled

01 Nov 2010 6:05pm

«I KNOW this is a response to an OLD question, but the answer to unscrambling «SAMICONFEROK» for the name of a book that brought pop culture and economics together… Its Freakonomics. I work in a book store and recognized it instantly =)

[Reply from Robert Giordano]
Thanks! That explains why it wouldn’t be in either word list.«

KINDLE EVERYWORD

30 Oct 2010 6:49am

«Hey, this is great for the Kindle free game EVERYWORD! THANKS!«
 

Iphone App

18 Oct 2010 1:41pm

«Oh I so would pay a small fee for this to be on the iPhone.

[Reply from Robert Giordano]
Its on my «to do» list. =)«

Thanks

31 Aug 2010 1:16pm

«Ty u saved my homework THANKS a lot =) =0«
 

Slow Loading

27 Aug 2010 1:19pm

«It’d be cool if all these comments were on a separate page, so that this page would load quicker… but regardless this is a useful… whatever it is… and I use it all the time… nice job!

[Reply from Robert Giordano]
Actually, I’ve done tests and the comments don’t slow the page down much. The math for doing searches and unscrambles on word lists with 100,000 words or more is pretty intense. Add to that the popularity of this page and the server might sometimes lag a bit.

That being said, I might move the comments to another page if the list gets much longer. Thanks for your comment =)«

cool

11 Aug 2010 5:27am

«Helped me so much with my homework!!! Thank you!!«
 

THX!

01 Aug 2010 10:04pm

«i <3 dis website coz it helped me a lot so i just wanna say thx! for my homework, i always have these questions and this website helped me and i also use it for tutor homework. this website is truly amazing! Thx to all those guys and girls that helped to create it!

[Reply from Robert Giordano]
You’re welcome! It was just me, lol.«

cam1007

01 Aug 2010 1:11am

«Awesome job as usual and very clever!

[Reply from Robert Giordano]
Thanks Carole! Did you find this page randomly? LOL«

Awesome!

16 Jul 2010 8:34pm

«Awesome utility! I’ve gotten my Text Twist score up to over 11,000,000 now. Before your site, I always crashed the game by 250,000! Thanks! I also like the rest of your site and its very useful contents. You also have some talented photographers here. :> MEL«
 

MELMAD

14 Jul 2010 10:04pm

«you are amazing… simply the best, better than all the rest!!!!«
 

Mandt1970

30 May 2010 4:10pm

«Just gotta say that as I do loads of puzzles etc, this site has been an absolute Godsend!!!!! Keep it up…….«
 

L.E.S.

31 Mar 2010 4:16am

«yo this sh*t is official for crosswords in the New York post«
 

Bookworm Frenzy

02 Dec 2009 4:52pm

«I’m Thai. I’ve wasted a lot of time trying to solve this problem. Till I find this wonderful site! May God bless you !«
 

Nice

27 May 2009 4:22pm

«This is a nice website, but there are a few things that i try to unscramble and it does not work, here they are: RGIXOAEANLREISEBPCS IEOCFFEORMMDNENC AHFTREAGCEON DTEMNPEIAEGRCILA NTFTSOOITAIINICNCE«
 

Pimp

31 Mar 2009 2:16pm

«This site is pimpin’. Hehe, im talking gangsterish!!! This site is amazing!!!!«
 

I’m spiffed

09 Mar 2009 8:54am

«What a spiffing website!«
 

mollyfish

22 Feb 2009 11:41am

«WOW! I don’t know how you pulled this site off, but its just- amazing.«
 

Jumble and Scram-lets

12 Feb 2009 5:20am

«This is a wonderful website! I love it for assistance with unscrambling words and not having to wait until the next day for the newspaper to print the answers to Jumble and Scram-let. You are a genius!«
 

Chevy

10 Nov 2008 6:34am

«OCKSTRADTEICKLCS What is it unscrambled?«
 

cee cee

07 Nov 2008 4:07am

«this is a great website!!!«
 

chad

23 Sep 2008 8:31am

«this is a great site«
 

Does not Contain

05 Aug 2008 3:02am

«It is good, is there any option of «does not contain» these letters and find the words?

[Reply from Robert Giordano]
Yes, try my new Word Pattern Finder. It should do what you need. =)«

KUYA

14 Jul 2008 2:47am

«this site gives me & my sister an A+ in school«
 

Rob

04 Jul 2008 5:46am

«I need to unscramble YELDAREBN to form two words. Any one know ?«
 

Word Freak

27 Jun 2008 5:22am

«thanks for your help. I love scrambled word games, was really a great help.«
 

Great

20 Jun 2008 7:24am

«Used this to unscramble words in Bully game Ps2 . It worked great. Made my grandson happy«
 

homework sux

25 May 2008 10:52pm

«dis thing rox. i did all my homework in like 10 mins =D!!!!«
 

unscramble

16 Apr 2008 11:53pm

«SAMICONFEROK Unscramble for a name of a book that was described as one that brought pop culture and economics together. Can anyone comment on this?«
 

Samantha

03 Mar 2008 5:48pm

«thanks for the help! I use this site every week! it helps a bunch!«
 

Awesome

29 Feb 2008 12:16pm

«I got all my homework done in ten minutes using this! u guys r awesome«
 

Stacey

18 Feb 2008 6:34pm

«wow that was fast and easy! all of the other places i went to couldnt find them! thanks!!!!«
 

Suggestion

12 Feb 2008 6:05pm

«In the next version perhaps you could add an exclude box ie. a 6 letter word that starts with «s», contains «a», and exclude/doesn’t have «eiouy». Would be great in a hangman games, when you have too little clue and wasted too many letters.

[Update from Robert Giordano]
I just built a new utility with wildcards, include, exclude, and pattern search.
Try my Word Pattern Finder. =)«

interligent

08 Feb 2008 2:50pm

«hi«
 

zomg!

02 Feb 2008 2:59pm

«This site is awesome! You saved my mother and I loads of time on a difficult word jumble! Thanks!«
 

Super Awesome Person

31 Jan 2008 5:44pm

«You guys r GREAT!!!! You help me with all of my word of the week homework! And you even made me get a homework pass!! No math for me!! Thanks!! You Rock :D!!!«
 

Excellent

31 Jan 2008 6:30am

«I checked another site, which couldn’t unscramble my word. Your site did in less than a second. Wonderful!«
 

Truely Amazing

29 Jan 2008 8:29pm

«All I can say is… wow! I had a homework assignment where we were asked simple questions, and had to indirectly use the answers. Like if root beer was your answer, you must use it like: parenting is the ROOT, BE ERroneous. Now I have some great ones, like Peter Pan is «trumPETER PANcake», and Pokemon is «do not POKE MONo infected people» I’m recommending this site to everyone I know!«
 

love site

08 Jan 2008 12:52pm

«helped me a lot on homework. peace out word finder brothers!!!!!!!!!«
 

RE: I can’t figure this out!!!

06 Jan 2008 3:25pm

«mobster tailor puzzle:

It was a SMALL JOB! the letters you have are wrong!«

I can’t figure this out!!!

19 Sep 2007 1:56pm

«The question is: Why did the mobster’s tailor quit?
It was a   _ _ _ _ _   _ _ _ (2 words)
the letters are L I O Y A S J M
Thank you!«
 

2nd grade English

13 Sep 2007 4:30am

«This site rocks.«
 

dragonflychic78

28 Jun 2007 1:28pm

«This site is AWESOME!!! I have saved it to ‘My Fav’s’ and will probably use this site a lot in the future. Thanks again! :) «
 

Life Saver

05 Jun 2007 12:43pm

«Stupid Six Letter Anagrams ~Thanks ~_~«
 

someone

17 May 2007 5:28pm

«you saved my homework«
 

mtnman

30 Apr 2007 5:33pm

«thx — helped my son with his homework: find twelve words containing each of the five vowels.«
 

Virginia

15 Apr 2007 8:39am

«You have helped to «unscramble» my head!!«
 

OICURMT

12 Apr 2007 12:50pm

«OICURMT = Oh I See You Are Empty ;P«
 

Atari TT

04 Apr 2007 8:56pm

«I love the history! The Atari ST/TT platform was awesome. I still miss my Falcon030!«
 

spelling

29 Mar 2007 3:00pm

«you got me free ice cream thanks«
 

THIS site Rocks!

01 Feb 2007 8:14pm

«You’re a genius. I was helping my sis with her homework and discovered your site. Thanks a bunch. I’ll definitely bookmark this site.«
 

Destiny M. Sims

08 Jan 2007 8:48pm

«Thank you SOOOOO much. Without this I don`t know what I would do. THANK YOU!!!!!«
 

Alex

05 Nov 2006 12:50pm

«Gees. Great stuff. Do you have a downloadable version? It’s VERY VERY VERY VERY COOL. No other unscramble program will be able to beat yours.«
 

thanks

08 Aug 2006 4:12pm

«You helped me spell parachute! Thanks a ton!«
 

Re: trishy0470

26 Jun 2006 9:17pm

«When you select the unscramble feature, all of the other fields are ignored. Unless you check «all possible», it will always try to find words that use the exact number of letters you enter.«
 

trishy0470

26 Jun 2006 3:56pm

«I came in here last night for help unscrambling a word for a contest. It gave me some interesting answers. Now that I have more clues for the word that I need to unscramble… It might be easier. But when I put in for a 6 letter word or less and have everything put in that I want in.. and click the button it changes my settings back to any length. Why? Otherwise, this thing is really cool!«
 

Re.. Could not get the answer??

05 Jun 2006 4:25pm

«I tried OICURMT on several other popular sites and did not get any results for a single word. Do you know if it should unscramble to an English word? Also, did you try it with the «all possible» checkbox checked? It does unscramble to some two-word combinations then.«
 

Could not get the answer??

05 Jun 2006 11:35am

«tried to unscramble the word- OICURMT but did not find the word i was looking for…. However, interesting site..«
 

Buddy you are the best

20 Mar 2006 8:15pm

«You saved me and my son loads of time working on crosswords and scrambled word puzzles thanks«
 

Lifesaver

30 Jan 2006 6:21pm

«This site is awesome. Overloaded 6th grader (and parents) used site to whip out tough homework assignment. Actually learned some new terms instead of tears and excuse letter to teacher. Thanks!!!!!!«
 

Inventor of SCRABBLE

27 Jan 2006 5:07pm

«Read about the inventor of the popular board game, Alfred Mosher Butts in this Wikipedia article.«
 

Message from Rob G

26 Jan 2006 2:12am

«Look at some of the fun things «giordano» spells…

arid goon, doing oar, door gain, good rain, goon raid, iran good, nog radio, oar dingo, rio gonad… lol

Don’t forget to try the spellcheck page where you can check for spelling errors in your blogs, myspace profile, or any other text. It has an optional slang wordlist that other spellcheckers don’t have!«

Leave a Comment

Понравилась статья? Поделить с друзьями:
  • Finding list in excel
  • Finding keywords in word
  • Finding formula in excel
  • Finding fonts in word
  • Finding errors in excel