Chapter 3. Creativity

Every human achievement is the result of an initial act of creativity. Stonehenge could not have been created without it, nor could the book you are holding. Even some kinds of logic, such as inductive reasoning, require leaps of creativity.

Creativity might appear to be a mystical force, but in fact, it’s available to everyone, even people who claim they’re not creative. As counterintuitive as it might seem, creativity can be hacked. Some of the hacks in this chapter go so far as to try to mechanize creativity. Whether they all succeed is something you’ll have to judge yourself, but I hope you’ll learn to boost your creativity regardless.

Seed Your Mental Random-Number Generator

Your mind is like your computer’s random-number generator: it needs a “seed” from the environment to break out of its routines. You have to put something into it to get something out!

Too often, brainstorming meetings take place in sterile, empty conference rooms with bare walls and nothing to look at anywhere else. They are almost like the industrial clean rooms where microchips are manufactured and not a speck of dust is allowed to gather. Is it any wonder that so many bad ideas come out of these rooms? The truth is that brains need “dust.” Brainstorms, like rainstorms, need nuclei around which (b)raindrops can form. If you start with no ideas, you will end with no ideas.1

Think of your mind as a desktop computer faced with the problem of generating a random number out of thin air. Such a computer cannot generate truly random numbers; it can only perform a series of rigid calculations. From the human point of view, randomness enters the computer only when it is programmed to consult its real-time clock for some real-world quantity, such as the number of milliseconds since January 1, 1970. Given this unpredictable input, the PC can then go on to generate output that looks quite random—and even creative. In other words, the computer needs input from an outside source to break out of its rigid patterns.

Humans, too, can become stuck in creative ruts. Everyone has a certain set of interests, ranging from things about which they are mildly curious to those about which they’re completely obsessed. Choreographer Twyla Tharp calls this our " creative DNA.” Sometimes, this hardwiring leads to repetition in our creative output. At that point, we, too, need to seed our mental random-number generators with new data to kick us out of our ruts.

In Action

You can seed your own creative process with almost anything:

  • Read a street sign.

  • Read a street sign backward.

  • Turn on the radio or TV for 10 seconds. (Remember to turn it off! Don’t accumulate negative momentum [Hack #65]!)

  • Open a book at random.

  • Use the random-page feature of the Wikipedia.

  • Buy a magazine you would never dream of reading, and read all of it.

Free-associate from the first random stimulus you encounter via one of these methods. What does it make you think of, and how does it relate to your project? You may find po [Hack #21] useful here to join ideas together.

Follow that thought as far as you can, possibly employing techniques such as SCAMPER [Hack #22]. Don’t be afraid to be silly. Sometimes a great idea is several silly ideas down the line from the seed. When you reach a dead end, seed again!

If you are having a brainstorming meeting in an empty conference room of the sort already described, bring some books, a magazine, music, pictures, anything that can act as a creative seed. The Oblique Strategies [Hack #23] are explicitly designed with this purpose in mind. If the rut you are in extends not only to your project but also to the rest of your life, try rolling the dice [Hack #49].

In Real Life

While working on my latest board-game design on the bus to work, I passed a sign in an industrial zone that read “American Frame and Alignment.” I decided to use the word frame as the seed for my brainstorm. One thing led to another, and I soon had a bunch of ideas dealing with enclosing games within rule structures, with recursive games and frames within frames, like those pictures that show a person holding a picture of herself holding a picture of herself, and so on. This one seed for my mental random-number generator eventually shaped the design of my game system a great deal, and it is now called GameFrame.

It’s a sure thing that my " creative DNA” determined the shape of my game, at least partially. For example, I’ve been fascinated with recursion and self-reference at least since I read Gödel, Escher, Bach when I was 14. These powerful inclinations are analogous to the rigid programming of one’s PC. However, the street sign bumped me out of my rut. Before I gave my random-number generator a seed to chew on, the only idea I came up with was that my game might use drinking straws as components!

End Notes

  1. Hall, Doug, and David Wecker. 1995. Jump Start Your Brain. Werner Books.

See Also

Force Your Connections

Use a simple process to generate many complex ideas quickly from a limited pool of simple ideas.

The process of morphological forced connections is fairly old; the picture books for children that allow you to combine the head of a giraffe with the body of a hippo and the tail of a fish are one example. The process was formalized by Fritz Zwicky at Caltech in the 1960s1 and was popularized in 1972 by Don Koberg and Jim Bagnall in their book The Universal Traveler.2

Most other books that discuss the technique seem to derive their discussion of it from The Universal Traveler and even use the same example: creating a new design for a ballpoint pen. We’ll take a somewhat different approach.

In Action

The basic process for making forced connections, as outlined by Koberg and Bagnall, is simple and sound:

  1. List possible features of the object you are trying to create, one feature per column. For example, the features might include color, size, and shape.

  2. In the column under each feature variable, list as many values for that variable as you can. For example, under color you might list all the colors of the rainbow, as well as black, white, gold, and silver.

  3. Finally, randomly combine the values in your table many times, using one value from each column. To continue our example, you would use one color, one size, and one shape each time.

Tip

Technically, steps 1 and 2 are morphological analysis, and step 3 is the morphological forced connections stage.

The result will be a randomly generated list of possibilities, none of which might be just what you’re looking for, but most of which will probably be interesting. Feel free to fine-tune the results. For example, you might not like the suggestion “orange, tetrahedron, a meter on a side,” but “orange, tetrahedron, half a meter on a side” might hit the spot.

Of course, you can force connections with a pen and paper, as recommended in The Universal Traveler, but computers have become widespread since 1972 and you might find them to be a much more efficient tool. To that end, this hack includes a Perl script called pyro, which is a somewhat streamlined successor to a HyperCard stack for the Macintosh called Inspirograph that I released in the 1980s.3

Inspirograph could generate anything from New England place names (like Lake Nattagoonsucketpocket) to random tabloid headlines. Because the examples I included were humorous, many people who downloaded the stack thought it was only good for a laugh, but it was actually intended for serious design, as is pyro.

The Code

Place the following Perl script in a file called pyro and make it executable. You also can download the pyro script and accompanying utopia.dat file from this book’s page on O’Reilly’s web site (see the Preface for details).

#!/usr/bin/perl -w
my $infilename = $ARGV[0];
my $basevar = "\@$ARGV[1]\@";

my $pickatrandom = 1;
if (($ARGV[2]) && ($ARGV[2] eq "all"))
{
    $pickatrandom = 0;
}

# Seed the output file
my $outfilename = "/tmp/pyro.txt";
open(OUTFILE, "> $outfilename")
    or die "Couldn't open $outfilename for writing: $!\n";
print OUTFILE "$basevar\n";
close(OUTFILE);

local $/;
undef $/;

open(INFILE, "< $infilename")
    or die "Couldn't open $infilename for reading: $!\n";
$infilecontents = <INFILE>; 
close(INFILE);

open(OUTFILE, "< $outfilename")
    or die "Couldn't open $outfilename for reading: $!\n";
$outfilecontents = <OUTFILE>;
close(OUTFILE);

while ($outfilecontents =~ /\@[A-Za-z0-9]+\@/)
{
    local $/;
    undef $/;

    open(OUTFILE, "< $outfilename")
        or die "Couldn't open $outfilename for reading: $!\n";
    $outfilecontents = <OUTFILE>;
    close(OUTFILE);

    # $baseline is the first line in OUTFILE with a variable.

    if ($outfilecontents =~ /^(.*?)(\@\w+\@)(.*?)$/m)
    {
        $baseline = "$1$2$3";
        $varname=$2;
    }
    chomp $varname;

    if ($infilecontents =~ /\#$varname\n(.*?)\n\n/s)
    {
        $varblock = "$1\n";
    }
    else
    {
        die "Did not find variable $varname in $infilename.\n";
    }

    @varblockarr = split (/\n/, $varblock);
    @outlinesarr = ();
 
    if ($pickatrandom)
    {
        # Generate a random string from the input elements
        $randline = $varblockarr [ rand @varblockarr ];
        $curline = $baseline;
        chomp ($curline);
        chomp ($randline);
        $curline =~ s/$varname/$randline/;
        push (@outlinesarr, $curline);
    }
    else
    {
        # Generate all possible combinations of the input elements
        foreach $varline (@varblockarr)
        {
            $curline = $baseline;
            chomp ($curline);
            chomp ($varline);
            $curline =~ s/$varname/$varline/;
            push (@outlinesarr, $curline);
        }
    }

    $outlines = join ("\n", @outlinesarr);
    $outfilecontents =~ s/\Q$baseline\E/$outlines/s
        or die "baseline not found.\n";
    $outfilecontents =~ s/\n\n/\n/mg;
    open(OUTFILE, "> $outfilename")
        or die "Couldn't open $outfilename for writing: $!\n";
    print OUTFILE $outfilecontents;
    close(OUTFILE);
}

if ($pickatrandom)
{
    print $outfilecontents;
}

Running the Hack

Here are the first 20 lines of a datafile (called utopia.dat) for the pyro script. You can use this file to generate interesting settings for fantasy and science fiction stories. The values for the variables were culled from two reference works on speculative fiction.4,5

Tip

In case you don’t have a computer running Perl handy, or if you’d simply rather not get into running code, I’ll explain an alternate way to do the same thing with dice later.

#@place@
@type@ made of @material@ @location@, inhabited by @inhabitants@, @govt@, @special@

#@type@
a cavern
a city
a country
a forest
a jungle
a mountain
a planet
a sealed habitat
a village
an island

#@material@
a superstrong material
crystal
flesh
gold

Tip

See the “How to Run the Programming Hacks" section of the Preface if you need general instructions on running Perl scripts.

If you have Perl installed on your system, save the pyro script and the utopia. dat file in the same directory, and then run pyro by typing the following command within that directory:

perl pyro utopia.dat place

If you’re on a Linux or Unix system, you might also be able to use the following shortcut:

./pyro utopia.dat place

Each variable in any pyro datafile you create should be wrapped in two @ signs, as in this example. To assign a set of possible values to a variable, place the variable on a line by itself preceded by a hash mark (#).

Each successive line should contain one possible value. Separate variable/value sections with blank lines, and leave two or more blank lines at the end of the file. You can create variables whose values contain other variables, as shown with the place variable in this example.

In Real Life

Table 3-1 shows the data from utopia.dat in tabular form. Each column of text contains the 10 possible values for one variable, whose name is at the head of that column. There are six columns of 10 items, so you can generate 106 or a million possible fantasy places from this data.

Table 3-1. Data to generate fantasy places
No.TypeMaterialLocationInhabitantsGovt.Special
0A cavernA superstrong materialIn an unknown placeAliensA socialist utopiaExceedingly warlike
1A cityCrystalIn another universeApesAn anarchyWhere cannibalism is practiced
2A countryFleshIn spaceCompletely normal peopleRuled by a corporationWhere everyone is happy
3A forestGoldIn the desertFairiesRuled by a council of many speciesWhere everyone is insane
4A junglePaperIn the dream worldFishRuled by a godWhere learning is exalted
5A mountainPorcelainIn the fourth dimensionGhostsRuled by a hereditary monarchWhere telepathy is common
6A planetRubberIn the polar regionsGiantsRuled by a magical eliteWhich is boundless
7A sealed habitatStoneIn the skyInsectsRuled by ancient ritualWhich is microscopic
8A villageWaterUnder the EarthIntelligent plantsRuled by computerWhich is sacred
9An islandWoodUnder the seaRobotsRuled by womenWhose location changes

If you have a 10-sided die (or, even better, six of them), or if you have some other way to generate random digits, you can create fantasy places using Table 3-1, generating digits sequentially and selecting one item from each column. For example, Utopia #895779 is “a village made of wood in the fourth dimension, inhabited by insects, ruled by an ancient ritual, whose location changes.”

The pyro script will do the same thing faster. It takes two mandatory arguments and a third optional one:

  • The first argument is the name of the datafile to use, such as utopia.dat.

  • The second argument is the name of the variable from the datafile that you want to expand, such as place. (Do not wrap the variable name in @ signs to match the datafile; pyro will do that for you.)

  • The third argument, which is optional, is the word all. If this option is used, pyro will generate all possible combinations of the elements in the datafile, instead of one random element.

Tip

Generating all possible combinations with the all argument might take some time.

Thus, the following command will generate all one million possible fantasy places and leave the results in the file /tmp/pyro.txt:

./pyro utopia.dat place all

But this command will simply generate one fantasy place:

./pyro utopia.dat place

Here’s a slightly edited console log of running the previous command:

$ ./pyro utopia.dat place
a mountain made of rubber in the sky, inhabited by fish, ruled by a hereditary monarch, 
where learning is exalted
$ ./pyro utopia.dat place
an island made of crystal in the fourth dimension, inhabited by aliens, an anarchy, which is microscopic
$ ./pyro utopia.dat place
a sealed habitat made of paper in the dream world, inhabited by giants, a 
socialist utopia, where learning is exalted
$ ./pyro utopia.dat place
an island made of flesh in the fourth dimension, inhabited by fairies, an anarchy, 
which is boundless
$ ./pyro utopia.dat place
a mountain made of a superstrong material in the dream world, inhabited by apes, an 
anarchy, where cannibalism is practiced
$ ./pyro utopia.dat place
a cavern made of porcelain in the polar regions, inhabited by intelligent plants, 
ruled by a council of many species, which is microscopic
$ ./pyro utopia.dat place
a sealed habitat made of stone in an unknown place, inhabited by giants, ruled by a 
magical elite, where everyone is insane
$ ./pyro utopia.dat place
a sealed habitat made of flesh in the desert, inhabited by giants, 
ruled by a corporation, where cannibalism is practiced
$ ./pyro utopia.dat place
an island made of paper under the sea, inhabited by fairies, an anarchy, which is 
boundless
$ ./pyro utopia.dat place
a forest made of flesh in an unknown place, inhabited by fairies, ruled by computer, 
exceedingly warlike

While pyro is useful as it stands, it’s certainly possible to improve it. More robust error checking could be added (such as checks for circular variable definitions, and lack of a newline at the end of the file or between entries), and it might be nice if the number of random strings to be generated were an alternate value for the third command-line option. It’s open source, so hack away!

End Notes

  1. Ritchey, Tom. 2002. “General Morphological Analysis: A general method for non-quantified modeling.” http://www.swemorph.com/ma.html.

  2. Koberg, Don, and Jim Bagnall. 1976. The Universal Traveler: A Soft-Systems Guide to Creativity, Problem-Solving, & the Process of Reaching Goals. William Kaufmann, Inc.

  3. The original Inspirograph. http://ron.ludism.org/cloudbusters/inspirograph-10.hqx.

  4. Manguel, Alberto, and Gianni Guadalupi. 1980. The Dictionary of Imaginary Places. Macmillan Publishing Co., Inc.

  5. Stableford, Brian. 1999. The Dictionary of Science Fiction Places. The Wonderland Press.

See Also

  • Raymond Queneau of the French literary group, the Oulipo [Hack #24], used morphological forced connections in his 1960 book Cent Mille Milliards de Poèmes, or One Hundred Thousand Billion Poems, a flip book with 10 possible strips for each of the 14 lines of a sonnet, hence 1014 or 100,000,000,000,000 sonnets. As usual, computers make the whole thing easier. Here’s a decent web version in English: http://www.bevrowe.info/Poems/QueneauRandom.htm .

  • The Oulipo member Harry Mathews also devised a forced-connections procedure dubbed Mathews’s Algorithm, which is neither random nor exhaustive. You can read about it and experiment with it online: http://bumppo.hartwick.edu/Oulipo/Mathews.php.

Contemplate Po

Use a new word to examine seemingly impossible alternatives, juxtapose random ideas, and challenge stale concepts.

Creativity expert Edward de Bono invented the word po to shake up people’s thoughts. He listed several etymologies for it. One is that it can be seen as “arising from such words as hypothesis, suppose, possible, and even poetry”; another is that it stands for provocative operation, a kind of mental hack to get ideas “unstuck” and move them forward.1

Wherever the word comes from, po is a great tool for playing with ideas and seeing the potential surrounding them, without getting too caught up in the details.

In Action

Provocative operations with po come in three basic kinds, which de Bono calls PO-1, PO-2, and PO-3.2 Each is useful to provoke certain kinds of thinking and move a creative situation forward in a different way.

PO-1

PO-1 means using po to protect a “bad” idea from premature judgment so that it can be used as a stepping-stone to genuinely good ideas. For example, if you are considering solutions to the problems that the U.S. space program has suffered, you might say to yourself, “Po the space shuttle should be blown into a million pieces.” Normally, blowing up the space shuttle would be a bad idea, but po “protects” it so that it can lead to potentially good ideas.

You don’t think about and judge that specific idea, but focus instead on ideas that come from it. In this example, one idea might be a group of smaller, modular vehicles holding only one person that assemble into a larger station when in space, and then break apart again for reentry. Not only might this be cheaper and easier to produce, but also, in case of a disaster, only one person would be killed instead of the whole crew.

PO-2

PO-2 means using po to juxtapose ideas randomly to help you seed your mental random-number generator [Hack #19]. Suppose you are trying to develop a new idea for a game. You might provoke yourself with the phrase “game po eyeglasses,” which might then lead to the following ideas:

  • An inexpensive video game system built into a set of goggles that project the graphics directly onto the retina

  • A scavenger hunt for charity, with prizes for the team that collects the largest number of used eyeglasses to be recycled in developing countries

  • A dexterity game in which people who wear eyeglasses are handicapped by having to take them off and people who don’t are handicapped by having to put them on

Probably not all of these ideas would be useful to you, but some might, and if they aren’t, you can replace eyeglasses with some other word.

PO-3

PO-3 means using po as a creative challenge for change. It is used to set aside an existing idea, or parts of one, without actually rejecting it.

For example, consider the statement made in a meeting you are attending: “Our group should meet every week, as we always have.” You might ask the following questions:

  • “Po every: why not alternate weeks?”

  • “Po week: why not every five days, or every month?”

  • “Po group: why doesn’t our group break into multiple smaller, overlapping special interest groups that can meet when they want?”

How It Works

The subtitle of de Bono’s book Po is Beyond Yes and No. According to de Bono, the problem with much of human thought is that we prematurely accept or reject ideas with yes or no, and once we accept one, we cling to it far longer than is useful.

The word po is intended to provide a kind of breathing space outside of what de Bono calls the “YES/NO system,” where we can pause and coolly consider all the possibilities. Metaphorically speaking, instead of automatically turning to yes or no when we see an idea, we can jump up and look at them both from a higher viewpoint.

Tip

Douglas Hofstadter has another word for this: he calls it jootsing, for jumping out of the system.

In Real Life

Po is a terrific tool for isolated brainstorming scenarios, but it can be highly useful in the heat of everyday life as well. For example, if someone cuts you off in a car, your natural reaction might be to get hot and lean on the horn, cussing loudly. If instead you mutter “po” to yourself, you might remind yourself to invoke what general semantics calls a semantic pause or the wedge of awareness:3 a pause to reflect on what you are doing before you do it. You can then ask yourself whether it’s really worth upsetting yourself over the incident.

Similarly, if your spouse knows the word po, one of you can say it to remind yourselves that an argument need not have a winner and a loser, but that both parties can retain their different viewpoints. By saying “Po!” you’re saying, “Let’s agree to disagree.” You can also use it to reach a reasoned decision together. When you’re tempted to run to opposite sides and dig in your heels, you can both step up onto po and look at the situation from the same calm spot.

End Notes

  1. de Bono, Edward. 1999. Six Thinking Hats. Back Bay Books.

  2. de Bono, Edward. 1972. Po: Beyond Yes and No. Penguin Books.

  3. Dawes, Milton. “The Wedge of Consciousness: A Self-Monitoring Device.” http://miltondawes.com/md_wedge.html (well worth reading if you find this hack useful).

See Also

Scamper for Ideas

SCAMPER is a mnemonic acronym for a set of basic operations that you can apply to old ideas to extend them in new directions.

The SCAMPER (Substitute, Combine, Adapt, Modify, Put to another use, Eliminate, Reverse) technique is a highly portable creativity toolbox. It was developed by Bob Eberle as a unified set of brainstorming tools with a simple mnemonic and was first published by Michael Michalko in his book Thinkertoys.1

You can’t get data off a computer with a blank hard drive, and you can’t get creative ideas out of your brain without having put something into it first. SCAMPER is a structured way of seeding your brain’s random-number generator [Hack #19] to produce creative output when you feel uninspired.

In Action

Use SCAMPER as a checklist. Choose an object to think about creatively, such as a drinking cup, and then run down the items in the mnemonic checklist (Substitute, Combine, Adapt, and so on), asking yourself the question associated with each one in Table 3-2, which explains the basic structured brainstorming techniques of SCAMPER. The word target refers to the object you’re thinking about, such as the drinking cup in the previous example.

Table 3-2. SCAMPER mnemonic checklist
MnemonicKeyQuestions to ask
SSubstituteHow can you substitute something else for the target or within the target?
CCombineHow can you combine something else with the target to produce something new?
AAdaptWhat techniques, mechanisms, or components can you adapt to the target from elsewhere?
MModify/magnifyHow can you modify the target in a useful way? What aspects of the target should you magnify or increase?
PPut to another useHow can you put the target to other uses?
EEliminate/minimizeWhat should be eliminated from the target, or minimized in it?
RReverse/rearrangeWhat is the opposite (reverse) of the target? What rearrangements are possible within the target or by using it?

For example, if the item is Substitute and you’re working with the drinking cup, ask yourself, “How can I substitute something else for the cup? How can I substitute something else within the cup?” You might come up with the idea of a new kind of bottle to drink from instead of a cup (here in hydrated Seattle, everyone I know drinks from Nalgene bottles and the like), or you might develop the idea of substituting a better material for the one the cup is made of. What about an indestructible titanium cup? The only cup you’ll ever need!

Tip

You can generalize the technique used to create SCAMPER itself and assemble your own mental toolbox [Hack #75] that goes beyond brainstorming, including hacks for memory, mental math, critical thinking, and so on.

How It Works

The SCAMPER technique is basically a cross between seeding your mental random-number generator [Hack #19] and using mnemonics (your dear, dear friend) just as you can use them to remember 10 things to bring when you leave the house [Hack #1]. In this case, however, the seeding is done in a very structured way, with “known fruitful” mental seeds, and the mnemonics are used to remember to carry mental tools with you, instead of physical ones.

In Real Life

I recently applied SCAMPER to the traditional card game Rummy (http://pagat.com/rummy/rummy.html) to develop the basis for a new card game, Scrummy.

In case you haven’t played Rummy, it’s a card game based on collecting sets (cards with the same number, such as 5, 5, and 5) and runs (cards in sequence, such as 5, 6, 7, and 8). These cards are laid on the table in groups called melds; players can also add to a meld on the table by laying off their own cards in front of themselves. A Rummy game ends when a player goes out by playing her last cards.

Here are some ideas that came to me by applying SCAMPER operations to the basic rules of Rummy. Note that I didn’t use the SCAMPER tools in strict order. You don’t need to, either. Also, I might not use all the ideas I generated in the final game. SCAMPER is best used for brainstorming new ideas; editing the possibilities is a job for later development.

Rearrange

Sets and runs can be rearranged to make new kinds of melds, such as the digits of π (3, 14, 15, 9...) or even numbers only (2, 4, 6, 8 ...).

Put to another use

Use Scrummy to select a winner for a prize, such as getting a back rub, not having to cook dinner, or picking the next game to play.

Substitute

Use a deck of cards other than the standard deck to play, such as Sticheln, a six-suited German deck that has three suits with cards from 0–18 and three suits that range from 0–20.

Combine

Combine card play with dice play. For example, if I decided to use the Sticheln cards, I could specify a 20-sided die (d20) and link rolling a 1–20 on the die with the numbers on the cards from 0 to 20 to make certain special actions possible.

Adapt

There is already a game system that combines dice with special cards, and it’s called the Dice Deck. Can you play a kind of rummy with the Dice Deck? Yes: Dice Deck Rummy. If you roll a 7 during Dice Deck Rummy, you can lay down a set of sevens (such as 7, 7, 7) or a run that begins or ends with 7 (such as 4, 5, 6, or 8, 9, 10). The single 20-sided die should work well if I adapt this.

Eliminate/minimize

Eliminate players’ melding or laying off in front of themselves: each player must lay cards directly in front of another player.

Reverse

Points in Scrummy are negative rather than positive: you try to avoid them rather than score them, as you do in Rummy. Other players receive negative points when you lay cards in front of them.

Modify

Modify the concept of “going out.” Replace it with “maxing out.” No one ends the game by going out when his hand is empty; he just replenishes his hand. Maxing out happens when a player scores -100 points; she is then out of the game.

Magnify

Magnify the “petty diplomacy” common in some games. Through the rules, encourage players to gang up and knock one another out.

And so, by applying SCAMPER to an old game, I quickly developed the outline of a new game. What new places can you SCAMPER to?

End Notes

  1. Michalko, Michael. 1991. Thinkertoys. Ten Speed Press.

Deck Yourself Out

Creativity decks are sets of suggestive aphorisms for getting creatively unstuck—for example, unblocking your writer’s block. They come in several forms: as decks of cards, as PC and PDA applications, and even as scripts that you can consult via the Web, wherever you are.

Many hacks in this book use some form of randomized input to stimulate creativity or to break deadlocked decisions, such as seeding your mental random-number generator [Hack #19], rolling the dice [Hack #49], not overthinking it [Hack #48], and forcing connections [Hack #20]. This should not surprise you. Human use of random stimuli is ancient, ranging from staring at the clouds, to reading entrails, to poring over Tarot cards. The human brain is well adapted to finding patterns in a wide range of stimuli, so it’s smart to use this natural functionality to focus conscious thought and capture less-conscious thoughts.

In recent years, a new genre of random stimulus has been developed that I’ll call the creativity deck. Designers of creativity decks aim to fill them with ideas and strategies that are good in themselves and don’t require so much dreamy dissociation to work—as cloud gazing does, for example. These decks have become enormously popular, so there are now many to choose from. And they’re available in many different formats, so you can select a deck and format to suit your tastes and needs.

In Action

This hack will examine three of what I consider the most important and popular creativity decks currently available: the Oblique Strategies, the Creative Whack Pack, and the Observation Deck.

The Oblique Strategies

The Oblique Strategies are a creativity deck developed in 1975 by British painter Peter Schmidt and musician Brian Eno (noted for his mind music [Hack #27]). They have since gone through several editions.

The strategies were originally intended for musicians and other artists. Each card contains a strategy for solving a problem in the studio or another work environment. The cards are intended to remind the user of ideas that might not seem obvious under pressure. All of the strategies were originally important working principles for someone: initially Eno and Schmidt, and later their friends and colleagues such as Stewart Brand of the Whole Earth Catal og.

Although no magical powers are claimed for the deck, an Oblique Strategies consultation has a subtle, mysterious, gnomic feel to it, somewhat like the I Ching. Often, the user has to tap intuition to interpret a card, which adds to the divinatory feeling. Here is the text from some typical cards:

  • Ask people to work against their better judgment

  • Which parts can be grouped?

  • Take away the elements in order of apparent non-importance

  • Go to an extreme, move back to a more comfortable place

  • Water

Over the years, the original Oblique Strategies have been made available in multiple editions and in a variety of formats. For example, they were recently released as a widget for Mac OS X.1 Figure 3-1 shows what the widget looks like before and after turning over the virtual card.

The Oblique Strategies widget for Mac OS X
Figure 3-1. The Oblique Strategies widget for Mac OS X

The strategies themselves have also become applicable to more situations than just music and painting, although vestiges of the original purposes remain. If you are a smart, creative person who prefers elegant ambiguity to having everything spelled out, the Oblique Strategies deck might be for you.

You can find Oblique Strategies applications for numerous platforms, including the Palm, at the official Oblique Strategies web site.2 As I mentioned, you can also consult the strategies online.3

The Creative Whack Pack

The popular Creative Whack Pack,4 developed by Roger von Oech in 1992, is similar to the Oblique Strategies deck in concept, but is positioned more for businesspeople than artists.

The deck has 64 cards with text and graphics taken primarily from von Oech’s book, A Whack on the Side of the Head. The cards are split into four suits of 16 cards each: Explorer (blue), Artist (orange), Judge (green), and Warrior (red). These suits represent von Oech’s view of the main roles in creative thought, similar to Edward de Bono’s Six Thinking Hats.5

You can obtain the Creative Whack Pack and related materials from the author’s web site,6 where you’ll also find an online version of the deck that you can try. Figure 3-2 shows a sample page with the text and image of a typical Judge card from the Creative Whack Pack.

An online sample card from the Creative Whack Pack
Figure 3-2. An online sample card from the Creative Whack Pack

The deck comes with numerous exercises other than just drawing a card and following instructions. For example, the “Three Day Agenda” exercise instructs you to pick five cards for actions you’d like to take in the next three days, returning those cards to the deck as you complete them.

The Observation Deck

The Observation Deck7 is a creativity deck aimed especially at writers with writer’s block. It was developed in 1998 by Naomi Epel, an author whose day job is literary escort (making sure that authors on book tours get fed, arrive at their venues on time, have necessary supplies, and so on). In the course of escorting authors around San Francisco, she grilled them on their own mind performance hacks, which she then distilled into a deck of 50 cards and an accompanying 160-page book.

When stuck, a writer draws a card from the deck and looks up the corresponding chapter in the book. The titles are brief and evocative. Here are a few:

  • “Zoom In and Out”

  • “Rearrange”

  • “Feed Your Senses”

  • “Switch Instruments”

The chapters are too long to quote in full, but by way of example, the “Switch Instruments” chapter suggests trying different ways of writing, such as dictation, handwriting, or writing in another language. It backs up these suggestions with anecdotes about authors such as Spalding Gray and T.S. Eliot.

Unfortunately, there is no online version of the Observation Deck, as there is with the Oblique Strategies and Creative Whack Pack decks, but at the time of this writing, the Observation Deck is available from most major brick-and-mortar bookstores and online booksellers.

In Real Life

To get started on writing the current hack, I pulled a card from the Observation Deck. It was “Ask a Question.” The inspiration for the card came to Epel from columnist Jon Carroll, who quoted Rudyard Kipling when asked where he got his material:

I have six humble serving men
They taught me all I knew
Their names are what
and where and when
and why and how and who.

Epel describes her interaction with Carroll in the book that accompanies the Observation Deck, and suggests there that the reader create yet another deck of cards. She writes:

Create a deck of question cards to use whenever you feel stuck. Print one question on each of seven blank cards—you should have six serving men cards and one that reads “What if?”

Epel’s idea is that the reader should draw a question card at random and then use that question to go deeper into his material. When I started writing the current hack, I made my own “serving men” deck. I drew the “Who?” card first, so I started by learning more about the creators of the various creativity decks I was going to describe, such as Brian Eno and Peter Schmidt, Roger von Oech, and Naomi Epel herself. I didn’t use all the material I gathered, but it was a great jump-start.

Here’s a somewhat less artificial example of using a creativity deck. On one recent technical writing job, I was working with a particularly intransigent literate programming tool—and some particularly intransigent upper management. I consulted the Oblique Strategies. I think the strategy I drew was “Disciplined self-indulgence,” which led me to ask myself which parts of my job I enjoyed the most and whether I could use them to solve the problem. One of the aspects of my job that I enjoyed most was scripting the documentation build process, usually with Perl, so I came up with the idea to post-process the troublesome documentation with a series of Perl scripts, which I quickly wrote.

When I showed the final product to my manager, she was amazed and all but called me a magician. She asked me how I had gotten the idea for the solution, so I showed her the online Oblique Strategies application I had consulted. She was crestfallen. Suddenly, I was no longer a magician, but a mountebank.

In this case, the Oblique Strategies certainly helped me solve the problem, but I found a possible pitfall with creativity decks: people who don’t understand them may believe that the decks are doing your thinking for you.

End Notes

  1. The Mac OS X widget for the Oblique Strategies is available at http://www.apple.com/downloads/dashboard/reference/oblique.html.

  2. The Oblique Strategies web site is located at http://www.rtqe.net/Oblique Strategies.

  3. You can find Oblique Strategies online at http://stoney.sb.org/eno/oblique.html.

  4. von Oech, Roger. 1992. Creative Whack Pack. U.S. Games Systems, Inc.

  5. de Bono, Edward. 1999. Six Thinking Hats. Back Bay Books.

  6. Buy the Creative Whack Pack, find related materials, and view sample cards at http://www.creativethink.com.

  7. Epel, Naomi. 1998. The Observation Deck. Chronicle Books.

See Also

Constrain Yourself

Rigidly constrain your creative work to find the potentially fascinating emergent effects that happen when you have to overcome artificial obstacles.

Because the word constraint has such negative connotations in our culture, and because this book is about freeing your mind, you might be wondering if I’m about to attempt an Orwellian war is peace, freedom is slavery, ignorance is strength reversal. Examples of paradoxically productive, even freeing constraint familiar to people in our culture aren’t hard to come by, however: for example, it is actually easier to write good poetry with rhyme and meter than good free verse, because rhyme and meter force your pen to interesting places it would never normally visit—a potent mind performance hack bequeathed to us by the ancients!

Some French artists known collectively as the Oulipo ( Ouvroir de Littèrature Potentielle, or Workshop for Potential Literature) have brought the theory and practice of creative constraints to a refinement never before experienced. Unconstrained writing, such as free verse or ordinary prose, is of no interest to the Oulipo. Rules and games as applied to literature are the sole reason for being of the group, which was founded in 1960. Even rhyme and meter are considered insignificant as constraints by these pioneers, who prefer to write enormous palindromes, novels without the letter E, and farces whose structure is determined by the mathematical principles of combinatorics.

There are many media to which constraints can be applied besides literature, so you can still use this hack even if you are not a writer. Oulipian offshoots for different art forms include the Oubapo (for bandes dessinèes, or comic strips), Oucinepo (cinema), Oucuipo (cuisine), Ouhistpo (history), Oumupo (music), Oupeinpo (peinture, or painting), and Ouphopo (photography); experiments have even been performed in Oulipian computer programming and mathematics.

Right about now, you might be wondering where the po or potential in potential literature comes from. Essentially, the Oulipo party line is that the artistic potential of a work is generated by the constraints placed upon it. An analogy I like to use is squeezing a tube of toothpaste: the constraints on the tube are your fingers, which generate physical pressure, analogous to potential, which in turn produces—squirt!—toothpaste, or inspiration. Due diligence alone will produce the creative work itself; altogether, I like to call this the “Muse helps those who help themselves” model of creativity or, more irreverently, “praise the Muse and pass the inspiration!”

In Action

Likely, you have a creative project to which you would like to apply this method. If so, start thinking about constraints that might apply to it. Find one or two that suit you from the following list or from one of the sources listed in this hack’s “End Notes" section. Exploit it to the max!

A few sample constraints can be illustrated with text and music.1,2

Text

Usually, you’ll be doing some form of writing; fortunately, this is the most heavily explored medium. Here are a few sample constraints for text:

Snowballs

Poems in which each successive word is one letter longer (or each word one syllable longer, or each sentence one word longer, or each paragraph one sentence longer); sometimes the process reverses midway, and this is called a melting snowball.

Exercises in style

Tell the same story over and over from multiple perspectives (similar to changing your worldview [Hack #31]).

Record setting

Taking an ordinary constraint of a text and setting a record for the longest text using that constraint, or for the text that uses that constraint the most, and so on (for example, the palindrome created by one prominent Oulipian was more than 5,000 letters long).

S+7

A famous Oulipian technique in which every noun in a piece of writing is replaced by the seventh noun following it in a specified dictionary; this tends to produce eerie nonsense, which might be what you want, or might just be useful as a way to seed your creative random-number generator [Hack #19].

Music

Music can also be created with Oulipian methods:

Alphabetical constraints

Although the Oulipo tend to abhor randomness, you can use musician Brian Eno’s Oblique Strategies [Hack #23] nonrandomly by ordering the deck alphabetically and (for example) choosing every 12th strategy card to create a complex constraint.

Notation

New musical notations can be developed, as in Andrew Hugill’s choral piece Rèvèlations et Diversitès, whose score is a kind of giant chessboard across which each singer “moves” like a game pawn.

Unplugging notes

From an existing musical piece based on some predetermined criterion. Christopher Hobbs’s systematic excision of the musical notes from classical pieces corresponding to the letters in the name BACH has reportedly produced some interesting results.

Arrhythmic and microtonal music

Music without apparent rhythm, or using pitches that are minutely differentiated as compared to the traditional Western scale, are also areas that have been explored by Oumupo groups, and which you can explore, too.

Limits

Limits can be broken (see “Record setting,” described earlier)—for example, the score of the Funeral March for the Burial of a Great Deaf Man (Alphonse Allais, 1897) is entirely blank, anticipating John Cage’s 4’33” by 50 years (ironically so, since the Cage estate sued composer Mike Batt for recording silence on an album, and then settled for a six-figure sum).3

In Real Life

Being a great fan of the Oulipo, I have used their techniques many times; for example, in the 1990s, there was an explosion of interest in the artistic form of the Glass Bead Game as imagined by novelist Hermann Hesse. You might like to explore thinking analogically [Hack #25]; my own experiments in formal constraint, such as recursive use of the Old Norse poetic form called the kenning, were highly influenced by the Oulipo.

Generally speaking, the influence of the Oulipo has been historically somewhat narrow. Even so, many people have used Oulipian techniques without knowing it. Oulipians jokingly consider such people to be unconscious plagiarists and call their forebears (Lewis Carroll, for example) anticipatory plagiarists. Read the Oulipo, then, for examples of the highest development of the Oulipian art. Graeco-Latin bi-squares toured by a chessboard knight are simply not used every day to plot novels! Examples of “true” Oulipian work by writers in English are therefore hard to cite. Still, you find Oulipian constraints where you least expect them....

Perhaps some of the works you read every day incorporate constraints without your knowing it; there are two schools of thought in the Oulipo, one of which says a work’s constraints should be made utterly explicit, the other that they should be hidden. E-Prime [Hack #52] is used as a hidden constraint in some of the psychological texts of Albert Ellis [Hack #57]. Reversed is the situation of the French novel La Disparition (as well as its English translation, A Void, by Gilbert Adair), in which the disappearance of the letter E from the world (and the text) is made the central plot element and a highly explicit constraint. Explicitness of constraint, or the lack thereof, can itself be a constraint on a work, of course. Catalog the number of constraints you can exploit such as explicitness, exercises in style, record setting, E-Prime, and so on; then try a few, and you’ll see that these seeming shackles are really keys to greater creativity.

Tip

Even the body of this hack is a real-life example of incorporating two stringent, semi-hidden textual constraints into a piece. (1) If you take the first letter of every sentence in the body of the text, they form the sentence BE SURE TO READ LIFE A USERS MANUAL BY GEORGES PEREC; each word corresponds roughly to one paragraph. (2) Neither the central Oulipian author Georges Perec nor his masterpiece Life: a User’s Manual is ever mentioned explicitly in the hack, although both are alluded to several times. This mirrors the disappearance of the central letter E in A Void, which Perec also wrote.

End Notes

  1. Motte, Warren F. 1986. Oulipo: A Primer of Potential Literature. University of Nebraska Press.

  2. Mathews, Harry, and Alastair Brotchie. 1998. Oulipo Compendium. Atlas Press.

  3. BBC News. 2002. “Silent music dispute resolved.” http://news.bbc.co.uk/1/hi/entertainment/music/2276621.stm.

Think Analogically

Use analogies to solve problems and extend old ideas in new directions.

In “Enjoy Good, Clean Memetic Sex” [Hack #26], I compare thinking to sex and explore the consequences of that analogy. However, I don’t explore the process of comparison itself and how to elaborate the analogy derived. Making analogies is an excellent thinking hack, and the techniques for doing so are worth exploration.

Recent studies indicate that much creative thought is the result of cognitive blending—mapping the elements of one idea onto another—a primary form of which is analogy.1 Thinking analogically can help you to create more prolifically,2 and recent advances in formalization of analogical thought mean that you can understand the richness available ever more rigorously.3

In Action

Although there are many ways to approach the process of creating and exploring analogies, this hack focuses on two of them— tables of correspondences and kennings—and the ways in which they’re related.

Tables of correspondences

First, consider Table 3-3, which summarizes some of the extended thought/sex analogy.

Table 3-3. Simple comparison of thought and sex
ThoughtSex
BrainGenitalia
ReadingInsemination
UnderstandingConception
CreationOffspring

Each item in the first column corresponds to the item in the same row in the second column. For example, creation in the Thought column corresponds to offspring in the Sex column.

Table 3-3 is also similar to an old concept, the table of correspondences used by medieval alchemists and other occultists. Such a table might show that the metal corresponding to the sun is gold, and the corresponding animal is the lion. You are not expected to believe this; think of it as poetry for now.

Kennings

Transhumanist thinker Hans Moravec wrote a book called Mind Children 4 in which he made the point that robots, memes, and other human mental creations are our descendants, in a way. Since the phrase mind children is synonymous with thought offspring, perhaps Moravec was using a metaphor that can be derived from the top and bottom rows of our table:

 thought  ::    sex   
 creation    offspring

Moravec’s analogy that human creations are our thought offspring can be derived by starting from creation, moving up across the line to thought, and then jumping diagonally to offspring. In fact, four metaphors can be derived from this analogy:

  • Thought = creation sex

  • Creation = thought offspring

  • Sex = offspring thought

  • Offspring = sex creation

Some of these metaphors might not make sense until you ponder them a while. For example, to call sex offspring thought is to say that it is a deliberate, creative process that produces offspring. (Rephrasing it as the thought of offspring might make this clearer.)

I call each of these two-term metaphors a kenning, because they work like that Old Norse poetic form, which called the sea a ship road and a sword a flame of battle.5

Although you might not be an alchemist trying to transmute base metals or a skald reciting an epic poem in old Norway, you might be surprised at how useful tables of correspondences and kennings still are.

Tip

For practical examples, one of them worth tens of millions of dollars, see the “In Real Life" section of this hack.

You can use tables of correspondences to generate great gobs of kennings with a simple procedure. Here are the five steps of that procedure, generating the thought offspring kenning from Table 3-3 as an example:

  1. Select a target term for which you wish to find a kenning, such as creation.

  2. Select another term in the same column as the target, such as thought.

  3. Select a term in the same row as the target, such as offspring.

  4. Put terms 2 and 3 together to make a kenning, such as thought offspring.

  5. Optionally replace the terms of the kenning with synonyms, such as mind children.

Tip

Depending on the table of correspondences, you might have to rotate the table 90 degrees mentally so that the rows become columns and the columns rows, before this procedure will work.

A table of correspondences can have an unlimited number of rows and columns. Table 3-4 shows the result of adding a single Metabolism column to the Thought and Sex columns of Table 3-3.

Table 3-4. Table of correspondences with three columns
ThoughtSexMetabolism
BrainGenitaliaDigestive tract
ReadingInseminationEating
UnderstandingConceptionDigestion
CreationOffspring???

The thought-as-metabolism meme runs deep in our culture. Consider this Francis Bacon quote from Elizabethan times:

Some books are to be tasted, others to be swallowed, and some few to be chewed and digested.6

Consider also the magazine Reader’s Digest: predigested, pre-understood material, like the food a mother bird regurgitates for her young. When a metaphor such as understanding is digestion runs this deep in a culture, it is like a vein of precious metal: it might be tapped out already, or fantastic riches might be waiting just a little deeper.

The table of correspondences is your jackhammer for mining our culture. The poet John Donne was famous for his metaphysical conceits, elaborate metaphors that ran all the way through some of his poems. A bigger table of correspondences, however, will enable you to create a metaphor of literally book length or longer. Since an analogy is a way of understanding something, a complex analogy will help you understand a complex phenomenon. What you choose to understand, and what you do with that understanding, is up to you.

The main pitfall of this technique is the forced analogy. Sometimes a correspondence simply doesn’t exist. If you pore over many a quaint and curious volume of forgotten lore, you’ll find that traditional tables of correspondences often contain bizarre “knowledge,” such as the correspondence of mugwort to quartz, or that of musk perfume to the Power of the Evil Eye. Don’t give in to the temptation to fill blank spaces with just anything, or things that have tenuous connections; your analogies will suffer. Also, beware correspondences with cultural overtones that might be false or culturally insensitive, unless you don’t mind the risk of offending people with your ideas.

Filling in the blanks

You might have noticed that the bottom-right cell in Table 3-4 is blank. What should go there? I would argue nutrition or energy, because it is the end product of metabolic processes, just as offspring are the end product of sex and creativity is the end product of thought.

You might prefer to replace energy with excrement if you have an anal-expulsive personality, or you might come up with an entirely different answer. The point is that a blank space in a table of correspondences is an opportunity to be creative.

In Real Life

One of my most successful recent game designs grew from filling in a blank that I noticed while making a table of correspondences about games. While the card game Hearts is so popular that it has been adapted to many different types of decks (what I call card game systems), it had not been ported to my fellow game designer Tim Schutz’s alphabet deck: Alpha Playing Cards.7

I designed a Hearts game for Alpha Playing Cards using a subtable or internal table of correspondences that compared the internal features of the standard deck of cards to the internal features of Alpha Playing Cards. For example, I compared the four suits of the standard deck (hearts, spades, diamonds, and clubs) to the two pseudosuits of Alpha Playing Cards (consonants and vowels). I named my game Consonants, because only consonant cards score points in it, just as only heart cards score points in Hearts. This was, in fact, a kenning: I was saying that consonant cards were the heart cards of Consonants, and heart cards were the consonant cards of hearts.

Thus, a blank space in a table of correspondences showed me an opportunity for a creative act, and I used a subtable to analyze the structural analogies between my starting point (the standard deck of cards and the game Hearts) and my target (Alpha Playing Cards and my new game, Consonants).

I call this technique analogical design, and it’s powerful. For an even more practical example, consider The Hitchhiker’s Guide to the Galaxy (H2G2). H2G2 started out as a radio show, was adapted into a series of science fiction novels, then a TV show, a computer game, comic books, and so on. Each of these involved a kind of internal table of correspondences as the author, Douglas Adams, and his colleagues decided how best to translate a joke, character, alien, or bit of technology from one medium to another.

One blank space remaining to be filled was a Hitchhiker’s movie. A movie was finally made after the death of Douglas Adams, and while it might not have been an artistic success, it has grossed more than $51 million as of August 2005. You might say that the creators of the movie found an empty niche in the memetic ecology and filled it successfully.

End Notes

  1. Fauconnier, Gilles, and Mark Turner. 2002. The Way We Think: Conceptual Blending and the Mind’s Hidden Complexities. Basic Books. An excellent book on analogical thought.

  2. Hofstadter, Douglas. 1997. Le Ton Beau de Marot: In Praise of the Music of Language. Basic Books. Another excellent book on analogical thought, this time from a more artistic perspective. Prepare for an “Aha” on every page.

  3. Fauconnier, Gilles, and Mark Turner. 2002.

  4. Moravec, Hans. 1988. Mind Children: The Future of Robot and Human Intelligence. Harvard University Press.

  5. Williamson, Craig. 1982. A Feast of Creatures: Anglo-Saxon Riddle- Songs. University of Pennsylvania Press. Partially available online at http://www2.kenyon.edu/AngloSaxonRiddles/Feast.htm.

  6. Bacon, Francis. 1561–1626. Of Studies. Quoted in http://en.wikiquote.org/wiki/Books.

  7. Alpha Playing Cards; http://www.tjgames.com.

See Also

  • If you enjoy playing with kennings and tables of correspondences, you might enjoy visiting the home page for my game, Kennexions, on the Glass Bead Game wiki, at http://www.ludism.org/gbgwiki/Kennexions.

Enjoy Good, Clean Memetic Sex

You can think of conversation as a kind of mental sex that produces ideas rather than physical offspring. To produce good ideas, though, it’s best to follow a few rules of “memetic hygiene.”

Memes are self-reproducing ideas. According to the theory of memetics, they act like genes by using our minds to replicate themselves, just as our genes use our bodies to do so. The idea of memes was independently discovered by British ethologist Richard Dawkins and several other thinkers. Dawkins, who coined the term meme, explains memes this way:

Examples of memes are tunes, ideas, catch-phrases, clothes fashions, ways of making pots or of building arches. Just as genes propagate themselves in the gene pool by leaping from body to body via sperm or eggs, so memes propagate themselves in the meme pool by leaping from brain to brain via a process which, in the broad sense, can be called imitation.1

There are many similarities between genes and memes. Just as genes are transmitted during sexual intercourse in the biosphere, so are ideas transmitted during social intercourse in the mental realm, or ideosphere. Table 3-5 shows some examples of correspondences between the genetic and memetic realms.

Tip

See “Think Analogically” [Hack #25] for more information on using tables of correspondences.

Table 3-5. Genetic/memetic correspondences
GeneticMemetic
GeneMeme
Sexual intercourseSocial intercourse
Genetic engineeringMemetic engineering (for example, marketing and the art of rhetoric)
SeductionPersuasion
Conception of an embryoConception of a new, “embryonic” idea
Sperm bankLibrary
VirginityIgnorance

The memetic realm also has some important differences from the genetic realm. Memes combine, recombine, mutate, and reproduce much more flexibly and rapidly than genes do. This is one way that genetic sex does not map completely to memetic sex. For example, the memetic counterparts of gender and sexual orientation are complicated. From a memetic standpoint, we are all intersexual beings: everyone is able to both transmit and receive ideas, although some people have a stronger tendency toward one than they do toward the other. I’ll just suggest that a memetic equivalent of the Kinsey Scale might be called for, and then move on.

In Action

Good, clean, fulfilling memetic sex is the birthright of anyone with a brain, so it’s important to educate yourself about memetic sexual hygiene. Here are nine points to keep in mind.

Seek partners outside your family

Inbreeding is sex between two individuals that are genetically too similar, and it often produces low-quality offspring. The memetic equivalent of inbreeding (memetic incest) is groupthink, which sometimes happens when two or more people who are too similar try to create something.

It’s a commonplace idea that Hollywood is incestuous: the same people with the same limited set of ideas meet over and over. Is it any surprise, then, that so many Hollywood movies are so bad and that so many of them look so similar? The logical culmination of memetic inbreeding is Jonestown.

Seek partners within your species

Conversely, sometimes people try to memetically mate outside their memetic species. From the perspective of one specialist (such as a Chaucer expert), another specialist (such as a particle physicist) is a member of another memetic species.

Because memetics is fluid, it’s not true that you can never create ideas with someone dissimilar from yourself, because all humans have some memes in common. Nevertheless, the rabid anime fan and the rabid model railroad enthusiast are relatively mutually infertile.

Broaden your taste

Members of two different memetic species can sometimes spark interesting ideas from each other, and it’s good to remain open to that possibility. From the perspective of a generalist or comprehensivist, however, a specialty is less like a species and more like a memetic fetish.

Generalists are flexible; because they don’t have fetishes (specialties) themselves, they can enjoy memetic sex with other generalists and also with specialists of all kinds. Generalists are, in short, memetic sluts, and they have a great time, but you don’t have to be a memetic slut to benefit from broadening your tastes.

Make sure your partners are healthy

On the other hand, even generalists probably shouldn’t have memetic sex with just anyone. You might do well to avoid people in dark suits who ring your doorbell early in the morning with a rabid look in their eyes—and as for the pamphlets people leave at bus stops, well, you just don’t know where they’ve been, memetically speaking.

Practice safe sex

Much as in the biological realm, you can prevent not only unwanted conceptions but also thought viruses in two basic ways: abstinence and condoms.

Abstinence means something like moving to a monastery, taking a vow of silence, and reading nothing but The Book. Wearing a mental condom is more practical and consists of exercising your skepticism, cynicism, irony, and humor.

Gain experience

The memetic virgin, or autodidact, is more likely to produce horrendous doggerel or massive treatises proving that π equals 3 than someone who has had regular memetic intercourse—in this case, an education.

Insist on satisfying sex

The memetic equivalent of orgasm is the “Aha!” moment, which occurs when you completely grok a concept or get a joke. If your memetic partners don’t make you say “Aha!” or “Ha ha!” often enough, you might need some new friends, books, TV and radio shows, or other ways to get ideas.

Respect people’s boundaries

A safeword is a word used during sex that means, “Stop, right now! I’m not kidding!” In real life, the expression “Too much information!” or "TMI!” often functions as a conversational memetic safeword.

Unfortunately, some people have memes that they feel compelled to evangelize at all costs, and they won’t stop when they’re told to. Memetically, this is the equivalent of rape. Avoid memetic rapists, and respect the boundaries that others set, if you want them to respect yours.

Have lots of kids

As the world moves from using forests for idea storage to ever more efficient electronic devices, there will cease to be any correspondence between the biosphere’s population problem and the ideosphere. Thus, although it’s not always a good idea in the physical world, in the ideosphere, the more memes (or mind children), the merrier!

How It Works

This hack works because genes and memes are replicators: forms of information that reproduce and evolve.

Evolution occurs when:

  • Patterns reproduce with arbitrary variations.

  • The new, varied patterns persist or are destroyed because of environmental conditions.

  • The persisting patterns repeat the cycle by reproducing with arbitrary variations.

Since memes share these properties with genes, memes behave in much the same way as genes.

In Real Life

Although author Scott Thorpe does not seem to have encountered the idea of memetics, he has numerous suggestions for fruitful “cerebral sex” in his book How to Think Like Einstein.2 Here are a few suggestions, inspired by his book, from the most risky to the least risky.

Name tags

Write a question you need answered, such as “How can I become a cult author like H.P. Lovecraft?” in big letters on a name tag and wear it everywhere you go. Strangers will go out of their way to answer your question when they see you on the street. Maintain your sense of humor. (See “Practice safe sex" earlier in this hack.)

Memetic orgies

Invite the smartest people you know to a problem-solving party. Inform them that the best beer and munchies will be forthcoming only after they’ve collectively generated some possible solutions for your problem.

Old friends

Old friends are like old lovers, memetically speaking. You probably share a lot of memetic offspring with your old friends, but time has changed you all, and now they have some new memes to share with you—memes that you might very well have conceived yourself had you been in their place.

Memetic marriage

The safest memetic sex of all—and yet often the most satisfying—can be that with a long-term memetic partner, someone who knows you well enough to tickle your memetic toes but is still different enough from you to complement your weaknesses so that your mind children will have hybrid vigor.

Your memetic spouse can be your real-life spouse (mine is), but need not be. For example, two of the best game design partners I know are brothers, and good friends can work well, too.

End Notes

  1. Dawkins, Richard. 1989. The Selfish Gene. Oxford University Press.

  2. Thorpe, Scott. 2002. How to Think Like Einstein. Barnes & Noble Books.

Play Mind Music

You can condition yourself to use your favorite music as a creative trigger, as well as a filter for environmental noise, and if you put it on your iPod or MP3 CD player, you’ll always have it at hand.

Practically everyone has worked to music at one time or another, from late-night college study sessions to the night shift at a fast-food joint. Consider the beat of a drum to encourage a crew pulling at oars, or the fife and drum corps of an army. Music has always been used to change people’s moods and get them to work together; it coevolved with ritual drama, which was also used to change people’s state of mind.

However, what is appropriate for one situation might not be appropriate for another, and the same music that gets a team working in synchrony might be completely distracting for someone who is trying to think in solitude. The converse holds true, of course. Some kinds of music are appropriate for thinking that would probably be a drag on physical work.

In Action

Get yourself a good pair of headphones that are as sonically isolated as possible, and make yourself a mind music MP3 CD or playlist on your iPod that you can fill with music to help you concentrate and focus on thinking. You might already have an idea what music this might be; if not, see the “In Real Life" section of this hack for some ideas.

Condition yourself to think while this music is playing so that it becomes a kind of musical thinking cap: put it on and you become a thinker for the duration. To that end, listen to this music only when you intend to think so that your conditioned response of thinking hard while it is on does not become extinguished accidentally. You don’t need a lot of different pieces in your mind-music collection, because your response will probably be stronger if their scope is limited.

Tip

Think of your unconscious mind as being like your dog. Imagine if you had to teach your dog 100 different words for sit.

You must decide how much music should be in your mind-music collection. A short, quickly repeating loop of music drives some people crazy. However, if you have a good sense of how long one of your typical working sessions is, you can use your mind music as a timer. You can pace your work like a workout, with both warm-up and cool-down music. When you hear a certain piece of music, you will know that it is time to start wrapping up.

A short music loop can nevertheless be useful, because you will sometimes associate certain thoughts you are having with a certain part of the music you are hearing, so that on the next time through the loop, you will be reminded of those thoughts when you hear that part of the music again, in an interesting—and sometimes creatively fruitful—mental echo effect.

Instrumental music is preferable, because research has shown that people need to keep the speech centers of their brains free to think about complex information. As pointed out in “Talk to Yourself” [Hack #62],1 you can listen to pop music or talk radio while driving a familiar route without many turns, but if you get off the highway and need to locate a new destination, you’ll turn off the radio because it’s distracting you from thinking.

But don’t rule out music with lyrics entirely. If you’re in a good mood and the music is upbeat, you might find the music will occasionally toss up lyrics that seed your creative random-number generator [Hack #19] as well as get your toes tapping, so you are filled with new ideas.

Chants (such as Gregorian chants) and music in foreign languages are a gray area in this respect. To some extent, you are likely to hear a voice in another language as just another instrument, or your brain might treat the music as a verbal Rorschach test onto which to project some creative and interesting lyrics of its own. Yet another alternative is that you will unconsciously strain to make out the foreign-language lyrics in your own language so that they interfere almost as much as lyrics you do understand. Gauge your own reaction, which will probably vary from piece to piece.

In Real Life

Here are the pieces on my mind-music CD, all instrumental:

  • The Goldberg Variations by Johann Sebastian Bach, as performed by Glenn Gould

  • Music for Airports by Brian Eno

  • Neroli: Thinking Music, Part IV by Brian Eno

  • Suite for Flute and Jazz Piano by Claude Bolling and Jean-Pierre Rampal

Specifically, I have found that almost any Bach is good for thinking, because of its formal nature. I chose Glenn Gould’s performance of the Goldberg Variations because it is legendary; the confluence of a composer and a performer of genius spurs me on. I placed the two fugues on the CD into a separate folder so that I can put just the Goldbergs on repeat mode if I wish; they already form a kind of musical closed circle, so this is appropriate.

Almost at the other end of the spectrum, Suite for Flute and Jazz Piano bubbles with playfulness. It is less subdued than the other pieces on my disc and therefore more suited for filtering out noise from the environment. I listen to it when I am designing games, or when I need some playful energy; not only have I loved this piece for a long time, but also I have fond memories of a late friend at Yale who in the spring used to play its flute part barefoot in the courtyard. He was one of the most creative people I ever knew, and I like to think of his playful spirit occasionally entering my work. Thus, one can choose mind music for personal reasons as well.

If you are not familiar with ambient music or Brian Eno, become so. Ambient music is not to all tastes, but as the title Thinking Music, Part IV suggests, it is specifically designed to enhance rather than detract from one’s ability to concentrate.

As Brian Eno writes in his 1978 "Ambient Music Manifesto:”

Whereas conventional background music [e.g., Muzak] is produced by stripping away all sense of doubt and uncertainty (and thus all genuine interest) from the music, Ambient Music retains these qualities. And whereas their intention is to ‘brighten’ the environment by adding stimulus to it (thus supposedly alleviating the tedium of routine tasks and levelling out the natural ups and downs of the body rhythms) Ambient Music is intended to induce calm and a space to think.2

As for the two Eno pieces in my collection, Thinking Music, Part IV is deep and somewhat dark, suitable for ponderous thoughts, and Music for Airports is somewhat lighter. I note with satisfaction that many other people online have chosen this piece as “thinking music,” too.3,4

End Notes

  1. Stafford, Tom, and Matt Webb. 2005. Mind Hacks. O’Reilly. (“Talk to Yourself” [Hack #62] originally appeared in Mind Hacks as Hack #61.)

  2. Eno, Brian. 1978. “The Ambient Music Manifesto.” http://www.ele-mental.org/ele_ment/said&did/eno_ambient.html.

  3. Mentat Wiki “Mentat Music” page; http://www.ludism.org/mentat/MentatMusic.

  4. “Good Thinking Music” pages on the original wiki; http://c2.com/cgi/wiki?GoodThinkingMusic and http://c2.com/cgi/wiki?GoodThinkingMusic Testimonials.

Sound Your Brain with Onar

Onar, or oneiric sonar, is a hack for plumbing your unconscious mind in search of new ideas during hypnagogic sleep. It’s similar to methods used by Salvador Dali and Thomas Edison.

Hypnagogia is the mental state between waking and sleep, the “half-asleep” state. The word comes from the Greek hypnos (sleep) and agogeus (leader or conductor); hypnagogia is the state that leads us into or out of sleep.

Tip

Some researchers draw a distinction between hypnagogia, which occurs when we are falling asleep, and hypnopompia, which occurs when we are waking up.

Many thinkers throughout history have found hypnagogia to be a fathomless well of creative black gold. For example, the surrealist painter Salvador Dali developed a technique to help him visualize dream landscapes of bizarre beauty, which he would paint upon awaking.

Dali is also said to have trained himself to doze in a chair with his chin resting on a spoon that was held in one hand, propped by his elbow, which rested on a table. In this position, when his muscles relaxed and he was on the verge of falling asleep, his chin would drop and he would wake, often in the middle of a hypnagogic dream or vision which he would then proceed to paint.1 For instance, this technique likely inspired his painting “Dream Caused by the Flight of a Bumblebee Around a Pomegranate a Second Before Awakening.”2

Such techniques can also be useful to hardheaded businesspeople and inventors. For example, Thomas Alva Edison was known to use a similar technique. He put the hypnagogic state to work when he was an adult and had an unusual technique: he would doze off in a chair with his arms and hands draped over the armrests. In each hand, he held a ball bearing. Below each hand on the floor were two pie plates. When he drifted into the state between waking and sleeping, his hands would naturally relax and the ball bearings would drop on the plate. Awakened by the noise, Edison would immediately make notes on any ideas that had come to him.3

A partial list of other thinkers who have been inspired by hypnagogia is impressive:4

Artists

Jean Cocteau, Max Ernst

Musicians

Johannes Brahms, Giacomo Puccini, Richard Wagner

Poets

William Blake, John Keats

Scientists

Albert Einstein, Friedrich August Kekule

Writers

Ray Bradbury, Charles Dickens, Johann Wolfgang von Goethe, Edgar Allan Poe, Robert Louis Stevenson, Leo Tolstoy, Mark Twain

I call the techniques used by Dali, Edison, and some of these other thinkers onar, which is a portmanteau [Hack #50] of oneiric (“related to dreams”) and sonar. Onar allows you to sound your mind in sleep the way a submarine sounds the depths of the ocean. This hack shows how to do it without spoons, ball bearings, or pie plates. You can even do it on an airplane.

In Action

To undertake an onar expedition, you will need a quiet place to doze and some way to take notes (in the dark, if necessary). The following seven steps comprise the onar process:

  1. Lie on your back in bed or sit in a comfortable armchair.

  2. Rest your elbow on the surface of the bed or the arm of the chair so that your forearm is pointing straight up. Let your wrist go limp if that is more comfortable for you.

  3. Focus your mind on a problem you wish to solve.

  4. Allow yourself to drift toward sleep, while continuing to focus on the problem as long as you can.

  5. Wait for your arm to relax and fall, waking you up. This will happen naturally when you begin to fall more deeply asleep.

  6. Record any creative thoughts you had while dozing.

  7. Repeat.

Depending on how sleepy you are, your arm might not so much fall as merely twitch. Don’t worry about it; as long as you can enter hypnagogia and bring back interesting thoughts and images, onar should work for you.

How It Works

Hypnagogia occurs when you’re falling asleep. As you fall asleep, your brain turns inward, shifting from the alpha and beta waves of ordinary waking consciousness and sensory processing to the deeper delta and theta waves of later stages of sleep, including dreaming.5

With few or no sensory anchors during hypnagogia, the sleeper begins to hallucinate. (I hypothesize that a similar phenomenon occurs during sensory deprivation experiments in "float tanks.”) As sensory references disappear, conceptual boundaries also tend to be blurred or lost. This means that ego boundaries are lost, and frames of reference might be blended. Many cognitive psychologists today believe that the blending of conceptual frames is the primary mechanism of creativity.6 (See “Think Analogically” [Hack #25] for more details.)

In Real Life

I decided I would employ onar on the topic of onar itself, as an example for this hack. I laid on my back one night before sleep with my catch notebook [Hack #13] and flashlight by my side. Actually, I always have them there, because I find that many good ideas come to me during hypnagogia, regardless of whether I want them to.

The first result I obtained while focusing on the concept of onar was the word alarm, signifying my current use of my arm as a kind of alarm clock.

As I fell deeper asleep, I “saw” a diagram like the one in Figure 3-3 that compared using onar to keeping a dream journal [Hack #29].

A hypnagogic image
Figure 3-3. A hypnagogic image

The last interesting result I obtained did not relate to this onar hack, but to the Hotel Dominic [Hack #7] instead. It was the idea of using the Hotel Dominic to keep a mental file on each of my friends and acquaintances, containing not only their spouses’ and children’s names, ages, and so on, but also any personal preferences I might not ordinarily remember, such as whether they like people to remove shoes when entering their houses.

After that short dip into hypnagogia, I relaxed and let myself fall fully asleep, satisfied I had brought back some interesting specimens from the mesopelagic zone of the mind’s ocean.

End Notes

  1. Mavromatis, Andreas. 1987. Hypnagogia: The Unique State of Consciousness Between Wakefulness and Sleep. Routledge & Kegan Paul. An amazing accomplishment, this book is probably the most comprehensive work on hypnagogia in English.

  2. URL for the Dali painting: http://www.artquotes.net/masters/salvador-dali/flight-of-a-bumblebee.htm.

  3. Goleman, D., and P. Kaufman. 1992. “The Art of Creativity.” Psychology Today. http://cms.psychologytoday.com/articles/pto-19920301-000031.html.

  4. This list of thinkers was culled from Mavromatis.

  5. “Stages of Sleep.” Psychology World. http://web.umr.edu/~psyworld/sleep_stages.htm.

  6. Fauconnier, Gilles, and Mark Turner. 2002. The Way We Think: Conceptual Blending and the Mind’s Hidden Complexities. Basic Books.

Keep a Dream Journal

Record your dreams to see and hear a rich, creative world.

Dreams can be amazing things and can offer incredible creative riches in the form of beautiful images, plotlines for fiction, even ideas for new inventions. If you want a connection to the activities of the dream world, this is the easiest way to do it.

In Action

Keeping a dream journal is very simple. Just place a piece of paper next to your bed. When you wake up, write down key words about any dreams you had. If you had no dreams, write down “no dreams last night” on the paper—first thing, right out of bed.

That’s really all there is to it, and it always works. If you’re getting a lot of “no dreams last night,” however, when you wake up, don’t immediately leap to write “no dreams last night.” In fact, don’t move at all.

Instead, as soon as you realize that you are awake, start searching your mind for dreams. If you can find some leftover fragment of a dream, hold on tight to it. Mentally probe it; you should be able to get some more details. If you’re lucky, the whole dream will recur to you at once.

In your mind, start taking notes. (Don’t move! Don’t get out of bed!) Find keywords to describe what you are experiencing, and memorize them; you don’t want to forget. And you can forget: if you get up too quickly, you’ll forget everything, except the sensation of having looked through a nondescript dream.

Keep exploring your memory of the dream, and keep taking mental notes. When you are confident you have the major parts of it, string the keywords into a sentence in your head. Repeat it over and over and over, just as when you hold a seven-digit phone number in your head, so you can write it down. Mnemonic techniques, such as the number shape system [Hack #2], can be handy here.

Then move, get out of bed, find your pen right next to your journal, and write down those keywords—immediately! Quickly start writing details. The dream should remain in your mind. Then, write out more details—full sentences, paragraphs, whatever you have time for. If you ride the bus, keep writing what you can remember.

Your memory of the dream should now be fully integrated into your working daily memory.

In Real Life

I like to draw annotated maps of places that I’ve seen in dreams and pictures of scenes and peculiar objects I saw. If you can remember the full text of a dialogue, write it out; I once had a good joke told to me in a dream!

Every so often in my life, I reinvestigate my dreams. First, I start remembering a dream a night. After a week or two of paying attention to them, I remember two dreams a night. After another week, I remember several dreams per night. I usually have to stop around here: I start waking up several times in the night, because I keep waking up immediately after (or during) dreaming and have to write them down. It interferes with sleep, and I decide to stop investigating my dreams.

When it gets to be too much for you, and you just want a good night’s sleep, just stop paying attention to your dreams. Poof! Uninterrupted nights of sleep.

See Also

Lion Kimbro

Hold a Question in Mind

One of Sir Isaac Newton’s many discoveries was that often to arrive at the truth, you need only contemplate the question.

Besides discovering the principles of gravitation, Sir Isaac Newton discovered a basic principle of human thought: if you want an answer to a question, simply hold the question firmly in mind. When Newton was asked how he had discovered the laws of gravitation, he answered, “By thinking about it day and night.” He also said, “If I have ever made any valuable discoveries, it has been due more to patient attention than to any other talent,” and “I keep the subject constantly before me and wait ‘till the first dawnings open slowly, by little and little, into a full and clear light.”1

In his book The Laws of Form, mathematician and philosopher G. Spencer Brown writes about Newton’s insight in this regard:

To arrive at the simplest truth, as Newton knew and practised, requires years of contemplation. Not activity. Not reasoning. Not calculating. Not busy behavior of any kind. Not reading. Not talking. Not making an effort. Not thinking. Simply bearing in mind what it is one needs to know. And yet those with the courage to tread this path to real discovery are not only offered practically no guidance on how to do so, they are actively discouraged and have to set about it in secret, pretending meanwhile to be diligently engaged in the frantic diversions and to conform with the deadening personal opinions which are being continually thrust upon them.2

The more intently you hold the question in mind, the closer the answer to the question will come to you.

However, Newton’s quotations and Brown’s commentary require interpretation. People frequently reply, “It can’t be like that. Just holding a question in mind doesn’t help. You have to do stuff.”

That is true. You do have to read. You have to work and think. You have to pay attention. Most importantly, you have to be ready to receive results, instead of pursuing them aggressively.

In Action

The key to this hack is that by repeatedly asking the question, you set your mind in such a way that you are receptive. When something relevant crosses your path, your mind will catch it, because it’s seeing the world in terms of that particular question. By framing your experiences with the question, you have created a context for the answer to fit into when it comes your way, as in the following examples:

  • If you are looking at Google, for instance, the first thing you might think is “Well, can this answer my question?” Ideas of how to search will occur to you, and you can try them.

  • If you are at a party, and you have your question in mind, your conversations will gravitate toward the question and its possible answers. You can look for people who may answer your question.

  • If you are reading the newspaper, your choice of reading and interpretation of what you read will be shaped by your question.

  • If you keep a notebook, keep notes on what you’ve learned that can help answer the question; putting many pieces of information in one place can help outline a bigger picture.

How It Works

You might not need to put a whole lot of effort into using this hack; your mind will probably provide the suggestions to pull you in the right direction, as long as you are focusing on the question. You’ll build curiosity and attentiveness as you stay focused and turn the question around to see all its sides.

“Well, that’s obvious,” you might say. “I ask questions, I research, I find the answer.”

OK, but the point of this hack is twofold: to increase your receptivity and help you think about how many ways a question can be answered, and to help build your confidence, because confidence is another key to finding answers.

When we get frustrated, we are usually in a complex situation. Questions regularly have complicated answers, and it’s not unusual that we find ourselves lost in complexities. But complexities can be frustrating.

Confidence and believing that an answer will come can help cut through all that. This hack is simple. By reminding yourself that “all you have to do” is hold the question in mind, you can relax, perhaps put active investigation (or worry) on hold, and let the mind and the world do whatever it needs to do to help you answer the question. Don’t give up on the question, but, rather, just look at the world freshly, holding the question in mind. Sometimes just that little bit of relaxation helps a lot.

When you relax, you might notice something from outside of your usual way of thinking that helps you see something new that might lead to your answer.

With time, everything will show itself to you. Somehow, it will all piece together.

Time limits on your seeking, though, are an entirely different matter.

End Notes

  1. Ask MetaFilter. 2005. “Who advised people to simply hold important questions in their minds?” http://ask.metafilter.com/mefi/19491.

  2. Spencer-Brown, G. 1994. The Laws of Form. Cognizer Co.

See Also

  • When holding a question in mind isn’t enough, consult Ask MetaFilter (http://ask.metafilter.com). That’s what we did to track down the Newton quotations. Note that like another of Newton’s discoveries, the calculus, the principle in this hack has been discovered more than once; the earlier MetaFilter thread quotes several other people with similar ideas.

Lion Kimbro

Adopt a Hero

Break down the walls of what you think of as reality; you might find some interesting solutions. A problem to you might not be a problem to someone you adopt as a hero.

Suppose you are writing a screenplay. Here are some examples of questions you might ask yourself when you are stuck:

  • With my character Fred’s luck, what would happen next?

  • What would happen next in a 1940s movie musical?

  • What would happen next in a dream?

Some of your most fruitful thinking can occur when you deliberately switch to another way of looking at things. You can think of these switches as being like key changes in a piece of music. For example, you can obtain useful effects by unexpectedly switching “keys” in the middle of a work of fiction from space opera to soap opera.

Modulating from the sublime (such as sainthood) to the ridiculous (such as platform shoes in a 1970s disco) is a comic effect known as bathos, but it’s equally possible to modulate from the ridiculous back to the sublime. James Joyce’s book Finnegans Wake often fuses chords of the sublime, the ridiculous, and the grittily political not just within a paragraph or a sentence, but often within a single word. (You can, too, if you put your words in the blender [Hack #50].)

Changing conceptual keys works for all forms of art—at least, in some situations. Imagine that you’re an architect or an interior decorator. You might decide that you want the entry to a house to have Gothic sweep, but that a more intimate interior meditation room should be styled after a Japanese zendo.

Warning

Be conscious of the appropriateness of your borrowings; mixing too many styles or styles that are too discordant can result in a postmodernist mush.

The most useful key change for problem solving, as well as certain art forms, might not be adopting another style, but adopting the entire worldview of another person, creature, or even inanimate object.

In Action

Let’s change the key of this hack from music to religion. Consider the short-duration personal savior (ShorDurPerSav).1 By temporarily (for a short duration, as opposed to the rest of your life) adopting the viewpoint of another person, even an imaginary one—or one you would ordinarily find repugnant—you can learn much.

Why limit yourself to asking, “What would Jesus do?” (WWJD?) when you can not only ask “WWBD?” (“What would Buddha do?”) or “WWMD?” (“What would Mohammed do?”), but also:

WWBBD?

What would Bugs Bunny do?

WWMAD?

What would Marcus Aurelius do?

WWMPD?

What would Mary Poppins do?

WWRMSD?

What would Richard M. Stallman do?

WWSOHD?

What would Scarlett O’Hara do?

WWYMD?

What would your mom do?

Get all New-Agey for a minute and channel that person. Although this hack is related to the old occult idea of the magical personality, you don’t have to believe that you’re literally in contact with another being magically; what you’re after is the state of mind you’re in when you see a movie, or when you act in one. What would that person do? How would she solve your problem?

When you watch Gone with the Wind, you don’t literally believe that Scarlett O’Hara exists, but a chill goes through you (admit it!) when she raises her fist to the sky and cries, “As God is my witness, I’ll never be hungry again!” Most of the time, you’re empathizing with her, feeling what she’s feeling, but you can go a step further: you can emulate Scarlett in the same way that a desktop PC circa 2005 can emulate a Commodore 64 circa 1980. The worldview of another person, even (or especially) a fictional one, is like a program that your brain can run.

Try it now. How would each of these people or characters react to finding that they had a flat tire?

What would Bugs Bunny do?

He’d be undaunted, with absolute faith in himself. If he didn’t have a spare, he might trick someone into giving him hers or find another way to get there. And if he couldn’t do that, he’d sit down in the shade and whip out a banjo to pass the time.

What would Marcus Aurelius do?

He’d calmly fix the tire or, failing that, endure the flat tire without sinking into crippling self-pity or anger at the uncaring gods.

What would Mary Poppins do?

She’d make fixing the flat tire into a game!

What would Richard Stallman do?

He’d appeal to random passersby on ethical grounds to share their individual talents and help him fix the tire.

What would Scarlett O’Hara do?

The young Scarlett would use her charm to get someone else to fix it. The older Scarlett would steal someone else’s tire if she didn’t have a spare, using brute force if necessary.

What would your mom do?

I don’t know; what would your mom do?

How It Works

Both method actors and psychotherapists have refined the technique of adopting another person’s viewpoint.

Actors must learn how to become another person during a performance. Part of the technique of method acting is deliberately not interfering with the process, but letting the alternative personality come through and not censoring its thoughts. Preparation for method acting involves accessing actors’ personal memories of the emotions that must be brought forth to give the performance life. They draw on their inner resources to call forth emotions they have experienced at other times and places, and then transform them into the words and motions of the characters they’re playing.2

Psychotherapists sometimes use role-playing to feel their clients’ emotions instead of intellectualizing about them. This helps the therapists understand their clients better. Having a supervisor and a set procedure for de-roling afterward enables a therapist to go deeply into the experience.3

In Real Life

The next time you’re confronted with a daunting 11-page tax form, try method-acting a tax attorney. Knowing that there are people who don’t mind such forms doesn’t make the task of filling them out easy, but adopting the mindset of an attorney who sees such forms every day, and who is anything but intimidated by them, can help.

Such confidence might even help you find more advantageous ways to fill out the forms that you might not have thought about. You might also want to adopt another personality trait: eagerness to finishing the task. If you know someone named Fred with that personality trait, go ahead and ask yourself, WWFD?

One of my friends role-played a bird and learned that wing beats are synchronized with a bird’s breathing, which turned out to be true. Albert Einstein contributed to his theories of relativity by imagining he was a photon, and Jonas Salk made progress on his polio vaccine by fantasizing that he was a virus.

Whether it’s Scarlett O’Hara’s spunk or the knowledge of what it’s like to travel at the speed of light, by pretending to be what we’re not and switching to other modes of thought, we can often gain access to information and abilities that we don’t normally use.

End Notes

  1. Dobbs, J.R. “Bob”. 1987. The Book of the SubGenius. Simon & Schuster.

  2. Stanislavski, Constantin. 1986. An Actor Prepares. Methuen.

  3. Brearly, G., and P. Birchley. 1986. Introducing Counselling Skills and Techniques: With Particular Application for the Paramedical Professions. Faber & Faber.

See Also

  • Wilson, Robert Anton. 1980. The Illuminati Papers. And/Or Press. Each article in this book is written from the viewpoint of a different character from Wilson’s fiction.

  • Edward de Bono’s book Six Thinking Hats is another example of “trying on” alternate personalities to solve problems. In this book, the personalities are visualized as hats of six different colors.

Go Backward to Be More Inventive Going Forward

Review the steps that led to a new idea, and maybe you can do even better next time.

When you next have an idea that solves a problem or that you are pleased with for some other reason, take the time to review the process by which you got there. Doing so can help you refine the idea, and it also helps you to have more good ideas in the future.

In Action

One approach is to look at the emotions around idea formation. Try this out the next time you have one of those “Aha!” moments, while the emotions around the discovery are still new. Notice the emotions around the discovery. You might have both positive ones and negative ones. Both are part of your normal discovery process. Use the positive emotions to reward your mind for the connections it has just made. It might feel strange, but do it anyway. This in itself might lead to clarifying related ideas that were just below the surface.

The negative feelings might have been expressed in thoughts like, “I should have seen that sooner.” Instead of doing nothing with that feeling, treat it as something useful: a spur to return to what you were thinking just before the idea struck and, if possible, how you felt just before you made the connection. It’s important to do this right when you have the idea, while the context of the idea is fresh in your mind and easier to go back to.

If this works for you, the pre-idea thoughts might not be entirely logical; in fact, they can be images or feelings, a sense of what’s important, or a fleeting impression that felt right. You’re not trying to explain the thought process; just reaching it again is enough. Sometimes the idea came because you were also thinking about something else at the same time. Going back to the moments when you made the connection makes you more aware of how you made it, which helps you make similar connections in the future more easily.

How It Works

The rapid change of emotions around a discovery can make it harder to reach the thoughts that happened earlier. Those thoughts happened in a different emotional context. The approach I’ve described to get back to those thoughts works consciously with the emotions. It uses the energy of the emotions of discovery to get back to the earlier emotional context.

Thought formation is often nonverbal, yet reporting on it tends to lead to a more verbal way of thinking. To counteract this, the hack deliberately looks for the nonverbal connections.

The key aspect of the hack is the conscious act of looking at the process of a discovery at the time of making it, which can be by this route or by a route of your own invention. By giving attention to a process that might normally be taken for granted, you make opportunities to encourage and enhance the process.

The point of reviewing the process of reaching an idea isn’t just to understand the process that got you there. It’s also to look for an alternative route that could have gotten you there more rapidly or brought you more related ideas. Robert Floyd, winner of the 1978 ACM Turing Award for Excellence, has this to say about his own process of discovery:

In my own experience of designing difficult algorithms, I find a certain technique most helpful in expanding my own capabilities. After solving a challenging problem, I solve it again from scratch, retracing only the insight of the earlier solution. I repeat this until the solution is as clear and direct as I can hope for. Then I look for a general rule for attacking similar problems that would have led me to approach the given problem in the most efficient way the first time. Often, such a rule is of permanent value.1

Floyd’s suggestions help streamline the process of discovery. More than that, they also help to clarify how seemingly unrelated discoveries may be related at a deeper level.

In Real Life

I had a small epiphany that led me to a method for estimating the number of wing beats per second for a wasp. The “Aha!” moment was the realization that the pitch of the note I could hear in a wasp’s buzz gives an indication of the rate at which it beats its wings. Lower notes are slower; higher notes are faster.

Tracing it back, I found that I didn’t arrive at the idea by any logical process or argument, but more intuitively. Part of the idea was remembering that one of the pioneers of computers, Herman Hollerith, taught his clerks to count decks of punched cards by flicking through them and listening to the sound. I was imagining this being done slowly (click-click-click) and then speeded up. Part of the idea was imagining the wasp flying in slow motion, slow enough that I could see the individual cycles of wing movement. The idea of rapid counting brought these two ideas together.

Could I have gotten the idea more quickly? Probably so. If I’d thought about the changes in sound an aircraft engine makes as it slows down, I might also have thought of the relation between the pitch of a sound and speed.

End Notes

  1. Bentley, Jon. 1988. More Programming Pearls. Addison Wesley. Bentley lucidly explains the principles of some algorithms for generating permutations that Floyd designed and reports this quotation, from Floyd’s Turing lecture on “The Paradigms of Programming.”

James Crook

Spend More Time Thinking

Become more productive by staring into space—purposefully.

I’ve suggested elsewhere that sometimes it’s useful not to overthink things [Hack #48]. Sometimes, however, it is useful to chew a topic over and over until you know it like the taste of your own mouth.

As part of a recent job, I had to spend up to an hour twice a day commuting on a bus. I spent a lot of time reading. I also spent a lot of time meditating [Hack #60], because if you can meditate on a noisy, crowded bus and not just in a tranquil zendo, you’re getting somewhere, and I don’t mean downtown. But the thing I did the most by far was stare into space, and I don’t regret it at all.

What I was really doing was thinking, pure thinking. Thinking is a wonderful way to spend your free moments. Thinking is portable, inexpensive, and environmentally safe; it requires no equipment, and you can do it even with a serious physical disability. Best of all, since thinking is universally applicable, you can make progress on any problem of interest simply by directing your attention toward it.

The kind of thinking I’m describing is extremely focused. I’m not talking about daydreaming here, although experiments at Yale have shown that daydreaming can increase your self-control and creativity.1

Warning

Recent research suggests daydreaming might have harmful effects as well.2

What I am talking about is setting some time aside for an extended course of directed thought, which can be hard work but is usually more fruitful than woolgathering.

If you’re lucky enough to be self-employed or independently wealthy, you can make your own schedule for directed thought. The rest of us can still grab time on the bus, at the doctor’s office, in the car while driving the kids to soccer practice, or in line at the grocery store. If you give yourself the gift of this time for purposeful, directed thought instead of (say) ogling soap opera stars in the tabloids at the checkout counter, you will enrich your life considerably.

In Action

There’s not much to the technique of directed thought, but that doesn’t mean it’s as easy as getting hit by a bus, either:

  1. Decide what topic or problem you will think about.

  2. Turn the problem over in your mind as if it were a three-dimensional object. Scrutinize it. If you notice a new angle, follow it and see where it takes you. Alternatively, if you are thinking about an event or process, move around it in time as well as space: rehearse it.

  3. Don’t let yourself get lost. If you find yourself daydreaming, return your attention to the problem at hand.

Step 3 is the hardest, but if you have some experience with meditation [Hack #60], you can return your attention to your problem as if you were returning your attention to your breath during meditation.

Warning

Do not omit step 3. If you do, you will get on the bus thinking about the plot of your novel and leave it half an hour later thinking about what you should have said to your ex-girlfriend five years ago.

In meditation, you allow thoughts to slip through your mind, but in directed thought, you will probably want to hold on to your good ideas. You can do so with a catch [Hack #13], but I promised you this hack required no equipment, and it doesn’t. If your environment won’t permit you to use a catch notebook (you’re in a bumpy moving vehicle, it’s too crowded, it’s raining, etc.), you can use a mnemonic system to catch your ideas instead. Good candidates for a mnemonic catch include the following:

When you arrive somewhere that you can write, transcribe your ideas into your catch; later, move them from your catch into more permanent storage, such as a journal or a project file.

In Real Life

You can go far on a project even if you spend only your commuting time on it. As Ovid (43 BC–17 AD) wrote, “Add little to little and there will be a big pile.” I call this technique ratcheting, and you will be amazed at how well it works if you’re new to this idea.

Over the course of a couple of months on the bus, I accumulated a list of about 400 numbered ideas for my GameFrame game project; about 80 percent of the ideas were useful. Thinking on the bus also helped me feel better about my job by making my commute seem less like wasted time, and less like extra time I had to donate to my job instead of spending on my own projects.

Directed thought can be useful for simulating physical objects, too. Nikola Tesla was famous for being able to leave a simulation of a mechanical part “running” in his head for weeks at a time, then coming back to check it later for wear. I don’t know anyone with that power of visualization, but my wife, Marty, has it to a lesser degree. She saves on time and materials for her art projects by trying out various assemblages and techniques in her head before finally putting the pieces together and often ends up with more interesting implementations of her original ideas.

End Notes

  1. Singer, Jerome L. 1975. The Inner World of Daydreaming. Harper & Row.

  2. Bell, Vaughan. “Is daydreaming linked to Alzheimer’s?” Mind Hacks blog, http://www.mindhacks.com/blog/2005/08/is_daydreaming_linke.html.

See Also

  • MacLeod, Hugh. “How to Be Creative.” This is an excellent essay on how to make the most of those little moments, by an artist whose medium is cartoons drawn on the back of business cards. (The cartoons in the essay are great, too.) Soon to be a book, apparently: http://www.gapingvoid.com/Moveable_Type/archives/000932.html.

  • Arnold Bennett’s Edwardian self-help classic, How to Live on 24 Hours a Day, is an excellent motivational book about how to squeeze more out of the 24 hours every human being is allotted each morning: http://www.gutenberg.org/etext/2274.

Extend Your Idea Space with Word Spectra

Visualize word clusters to help create and apprehend new concepts.

When translating text from one language to another, you might need words that seem to lie somewhere between the available words. When you apprehend new concepts, you might face a similar problem. Visualizing the spectrum of meanings that lie between two words can help you form new concepts and work with them more easily.

In Action

Here are two examples of foreign words that are useful, but that are almost untranslatable. Please note that you don’t need to speak German or Portuguese to appreciate the problem!

From German, we have Gemütlichkeit. It’s a description of a good mood, the warm feeling of being together with good friends, and it usually also involves wine or beer. How should it be translated? Happiness? Companionship? Smugness? It’s none of these and all three. Figure 3-4 shows a visual way to represent the untranslatable.

Word spectrum for the German word Gemötlichkeit
Figure 3-4. Word spectrum for the German word Gemötlichkeit

The second example is once again a word that describes a mood, but this time from Portuguese. The word saudade is a mix of homesickness, nostalgia, and good memories, with a tinge of sadness. There simply is no direct translation into English. In one context, it might translate to nostalgia, in another to homesickness. If you visualize nostalgia and homesickness as being at two ends of a spectrum, saudade lies somewhere in between, as shown in Figure 3-5.

Word spectrum for the Portuguese word saudade
Figure 3-5. Word spectrum for the Portuguese word saudade

So, what about new concepts in English that don’t yet have words for them? Biologists run into this problem time and again; evolution just doesn’t respect the boundaries made with words.

For example, many of the components in subsystems that repair damage to the body are also part of the normal growth and development system. Repair and growth can be placed on a spectrum. The system that strengthens bones where they are under greatest stress could be classified arbitrarily as being a repair system, because it repairs microscopic damage from mechanical stress.

Alternatively, the bone strengthening could be seen as part of the normal growth process, bringing the right components to the place where they are needed most. It all depends on your point of view. As with the foreign-language examples, it looks as if there is a word missing that combines aspects of growth and aspects of repair (Figure 3-6). The hack of visualizing repair and growth as being at two ends of a spectrum makes it easier to explore the connections between those two concepts.

Word spectrum for the English words repair and growth
Figure 3-6. Word spectrum for the English words repair and growth

The value of finding spectra between words isn’t confined to biology. In computer programming, recursion and dynamic programming are sometimes taught as if they are two entirely different techniques. In reality, dynamic programming and recursion are at different ends of a spectrum of programming techniques that break larger problems into smaller ones. This is a useful idea to have, because a recursive formulation of an algorithm may be a lot simpler than the corresponding dynamic programming formulation.

How It Works

This hack works because language is inherently a process of using discrete words to cover ranges of meaning. Visualization of word positions, as in the triangle of words for Gemötlichkeit, encourages us to see the continuous range of meanings again. We can then home in on meanings that have been missed by the words available to us. The visual position gives us a handle for a particular meaning.

The actual visualization of the words doesn’t seem to be absolutely essential to the hack. The essential part is identifying that the endpoints are related and that there is some possibility between them that combines their elements. However, visualization makes the hack easier to apply, and the visualization helps map words to ranges of meaning.

See Also

  • D. Bickerton’s Dynamics of a Creole System (Cambridge University Press) analyzes so-called contact languages, where simpler variants of languages arise. It shows the heroic measures that speakers of such languages must take to express more complex concepts.

  • This hack is related to “Put Your Words in the Blender” [Hack #50] and “Learn an Artificial Language” [Hack #51], but it’s less complex. You could use it as a precursor to inventing new words.

James Crook

..................Content has been hidden....................

You can't read the all page of ebook, please click here login for view all page.
Reset
18.226.34.25