#!/usr/bin/perl5 -w
#
# Copyright (C) 1998 Tim Kientzle, All Rights Reserved.

#
# Indexer program for HTML files.
#
# The basic idea is simple:
# 1) use Perl's 'find' package to recursively search a directory tree.
# 2) slurp each HTML file into memory for further investigation,
# 3) add file entry to index.db
# 3) use a regex to strip out HTML tags
# 4) use split to break file into words
# 5) For each word, add a value for this file to the words.db database
#
# The rest is details:
# * random database access is expensive, so I actually add words
#   to an in-memory hash, and merge this into the disk file after
#   every 500 files.  This also allows me to handle arbitrarily
#   large datasets, since I never have very much data in-memory at a time.
# * To speed merges, I sort the in-memory hash before merging.
# * Java usually expects UTF8 or 16-bit Unicode, but those are a
#   pain in Perl.  Instead, I store 8-bit ISO Latin 1 strings.
#   Fortunately, Java can easily convert a byte [] containing
#   ISO Latin 1 into a String.
# * HTML entities require some special handling: after stripping
#   tags, I convert HTML entities into 8-bit ISO Latin 1 characters.
#   I then have some hand-built functions to lowercase Latin1 strings.
# * A number of special functions are used to massage entries in
#   the word cache before writing them to disk (cross-indexing synonyms,
#   removing stop words, etc.)
#

require 5;
use strict;     # Perl should be noisy about potential problems
use DB_File;    # Access DB databases
$DB_File::DB_BTREE->{cachesize} = 10_000_000; # 10meg cache
$DB_File::DB_BTREE->{psize} = 32*1024; # 32k pages
use Fcntl;      # Needed for above...
use File::Find; # Directory searching
$|=1;

#
# Root directory to search for .HTM(L) files in
#
my($ROOT_DIRECTORY) = "../data";

### Unix: use command-line argument to set $ROOT_DIRECTORY
if($ARGV[0]) {
    $ROOT_DIRECTORY = $ARGV[0];
    $ROOT_DIRECTORY =~ s|\$||; # Strip out final \, if any
}

### TODO: On Mac, use file selection dialog to set $ROOT_DIRECTORY

#
# Names of the output database
#
my($INDEX_DB_FILE) = "index.db";

############################################################################

##### Index the corpus #####

# Attach %index to an on-disk DB file
unlink($INDEX_DB_FILE);
my($INDEX) = tie(%main::index,'DB_File',$INDEX_DB_FILE,
		 O_RDWR | O_CREAT, 0644, $DB_File::DB_BTREE)
    || die "Can't open/create $INDEX_DB_FILE: $!";

%main::wordCache = (); # In-memory index of recent files
$main::wordCacheCount = 0; # Number of files in in-memory index
$main::totalFilesCount = 0; # Total count of files indexed
$main::currentkey = 0; # Key number for current file
$main::progress = 0; # Counter for progress display

PrimeTables(); # Prime internal tables
ListFiles();  # build list of all indexable files in @FILES
IndexFiles(); # Now, go through and index those files
FlushWordCache(); # Flush in-memory index through to disk

# Close database
$INDEX->sync; # Sync to disk
undef $INDEX; # Forget object reference
untie(%main::index); # release database

##### Post-process: Fold accents #####

# Re-open index
my($INDEX) = tie(%main::index,'DB_File',$INDEX_DB_FILE,
		 O_RDWR, 0, $DB_File::DB_BTREE)
    || die "Can't open $INDEX_DB_FILE: $!";
&FoldAccents();

# Close databases
$INDEX->sync;
undef $INDEX;
untie(%main::index);

##### Compact index by copying into a fresh file #####

rename "index.db","indexold.db"; # Move index.db to indexold.db

tie(%main::indexold,'DB_File',"indexold.db", O_RDWR, 0644, $DB_File::DB_BTREE)
    || die "Can't open/create DB file: $!";
tie(%main::index,'DB_File',"index.db",
    O_RDWR | O_CREAT, 0644, $DB_File::DB_BTREE)
    || die "Can't open/create DB file: $!";

my($topcount,$count,$key,$val);
while(($key,$val) = each %main::indexold) {
    $topcount++;
    if(++$count >= 1000) {
	&Progress("Copying index.db: $topcount");
	$count = 0;
    }
    $main::index{$key} = $val;
}
untie(%main::index);
untie(%main::indexold);

&ProgressStep("Finished.");

exit(0);

###########################################################################
#
# Pull in word information from <DATA> section (at end of this file)
# and build the appropriate data structures
#
sub PrimeTables {
    &Progress("Building internal tables.");
    while(<DATA>) {
	s/\#.*$//; # Strip comments
	s/^\s+//; # Strip leading whitespace
	s/\s+$//; # Strip trailing whitespace
	if(/^$/) { next } # Ignore blank lines
	if(/^SYN:\s*/) {  # This line is a synonyms list
	    my(@synonyms) = split($');
	    my($word1, $word2);
	    foreach $word1 (@synonyms) {
		if(!defined($main::MAPS{$word1})) {
		    $main::MAPS{$word1} = [];
		}
		foreach $word2 (@synonyms) {
		    if($word2 ne $word1) {
			push @{$main::MAPS{$word1}}, $word2;
		    }
		}
	    }
	} elsif(/^VAR:\s*/) {  # This line is a list of variant forms
	    my($word,@vars) = split($');
	    if(!defined($main::MAPS{$word})) {
		$main::MAPS{$word} = [];
	    }
	    my($var);
	    foreach $var (@vars) {
		push @{$main::MAPS{$word}}, $var;
	    }
	} elsif (/STOP:\s*/) { # This line is a stopword list
	    my(@stop) = split($');
	    my($word);
	    foreach $word (@stop) {
		$main::STOP{$word}++;
	    }
	}
    }
}

###########################################################################
#
# Record file names to be indexed into @FILES
#
sub ListFiles {
    local($main::count);
    # Setting dont_use_nlink allows find() to follow symlinks to directories.
    # I use this to index CDROMs by building a shadow heirarchy and then
    # indexing against that.
    # Of course, this is potentially dangerous, too...
    $File::Find::dont_use_nlink = 1;
    find(\&ListFiles_wanted,$ROOT_DIRECTORY);
    &ProgressStep("Found $main::totalFilesCount files.");
}

sub ListFiles_wanted {
    # Don't visit `.' directories (except .. and . of course)
    if(-d && ($_ =~ /^\.[A-Za-z0-9]/)) {
	$File::Find::prune = 1;
	&ProgressError("Skipping directory $File::Find::name");
    }
    if(!-f) { return; } # Only index regular files

    # Don't index contents of 'bin' directories
    if($File::Find::name =~ m|/bin/[^/]+$|) { return; }
    # Don't index certain types of files
    return if /\.gif$/i; # GIF files
    return if /\.zip$/i; # ZIP archives
    return if /\.jpg$/i; # JPEG images

    if(++$main::count >= 10) {
	&Progress("Listing files to be indexed.");
	$main::count = 0;
    }

    $main::totalFilesCount++;

    # Build (relative) URL
    # (On UNIX, relative URL is same as relative pathname)
    my($fileURL) = $File::Find::name;
    # TODO: On Mac, additional work is needed here...

    push(@main::FILES, $fileURL);
}

###########################################################################
#
# Now, index those files.
#
# First, I sort them into reverse-alphabetic order.  For DDJ|CD,
# this corresponds to reverse chronological order, which means
# newer articles will appear higher in the search list.
#

sub IndexFiles {
    my($URL);
    foreach $URL (sort { $main::b cmp $main::a } @main::FILES) {
	my($indexAsURL) = $URL;

	# Update progress display
	$main::totalFilesCount--;
	&Progress("Indexing $indexAsURL ($main::totalFilesCount remaining)");

	# Build key number for this file
	if($URL =~ m|/(\d\d\d\d[a-z])/[^/]*\.htm|i) {
	    # This HTML file is part of an article, index it under
	    # the top-level HTML file for the article.
	    my($key);
	    $indexAsURL = "$`/$1/$1.htm"; # Use main article as reference

	    # The $main::filekeys hash is used to make sure that
	    # a particular article is always indexed under the same key
	    if(exists $main::filekeys{$indexAsURL}) {
		$key = $main::filekeys{$indexAsURL};
	    } else {
		$key = $main::currentkey++;
		$main::filekeys{$indexAsURL} = $key;
	    }

	    IndexFile($URL, $indexAsURL, $key);

	} else {
	    # Ignore any HTML articles that aren't part of an article.
	}

    }
}

###########################################################################
#
# Index a single file.  Note that for DDJ|CD, a single article
# might contain many HTML files.
#

sub IndexFile {
    my($indexURL, $indexAsURL, $key) = @_;

    # Handle HTML files
    if($indexURL =~ /.html?$/) {
	# Get the text of the file
	open(HTML_FILE,$indexURL);
	local $/;
	my($text) = <HTML_FILE>;
	close(HTML_FILE);

	# Index the words in the file
	my($wordsIndexed) = &IndexHtmlFile($text,$key,$indexURL);

	if($wordsIndexed > 0) {
	    # Add file to index list
	    my($fileEntry) = &FileIndexString($key,$indexURL,$indexAsURL);
	    $main::index{"\0".pack("n",$key)} = $fileEntry;
	}
    }
    # You could add support for other formats here...
}

###########################################################################
#
# Build string that goes into file database.
#
# The searcher looks for the last tab in the string:
#  * Everything after the last tab is used as the filename
#  * The rest of the string is displayed to the user
#
# Note that the searcher expects the string
# to be in 8-bit ISO Latin 1.  If you need to handle characters
# not in Latin-1, you'll probably want to change this to
# emit either 16-bit Unicode or UTF8, with corresponding
# changes to the front end.
#
sub FileIndexString {
    my($key,$indexURL,$indexAsURL) = @_;

    # Look in cache first
    if (exists $main::IndexStringCache{$key}) {
	return $main::IndexStringCache{$key}
    }

    # Get the text of the main file
    open(HTML_FILE,$indexAsURL)	|| print "Can't open $indexAsURL\n";
    local $/;
    my($HTML) = <HTML_FILE>;
    close(HTML_FILE);

    # First, look for <TITLE> tag, if that fails, try <H1>, then <H2>
    my($title) = ($HTML =~ m|<TITLE>(.*)</TITLE>|si);
    if(!$title) {
	&ProgressError("No <TITLE> tag found for $indexAsURL");
	($title) = ($HTML =~ m|<H1>(.*)</H1>|si);
	($title) = ($HTML =~ m|<H2>(.*)</H2>|si) if (!$title);
	$title = "$indexAsURL" if (!$title);
    }
    $title =~ s/^\s+//;  # Strip leading space
    $title =~ s/\s+$//; # Strip trailing space

    # Convert HTML entities to ISO
    $title = &TranslateHtmlToIso($title,$indexAsURL);

    # Now, build the string
    my($result) = "$title\t$indexAsURL";

    # Cache and return result
    $main::IndexStringCache{$key} = $result;
    return $result;
}

###########################################################################
#
# Index an HTML file.
#

sub IndexHtmlFile {
    my($words, $fileKey,$indexURL) = @_;

    # Convert HTML into raw text
    $words = &PreProcessHtml($words);  # Hook for task-specific processing
    $words =~ s/<[^>]*>//g; # Strip out all HTML tags
    $words = &TranslateHtmlToIso($words,$indexURL); # entities --> 8-bit chars
    $words = &TranslateCase($words); # force to common case
    $words .= " " . &StripAccents($words); # + same words w/o accents

    # Split text into words
    # Note: + and / are considered parts of words to accomodate C++ and OS/2
    $words =~ s/[\'\"]//g; # Remove ' and " (i.e. Swaine's --> Swaines)
    $words =~ s/\.(\s+)/$1/g; # Remove periods followed by whitespace
    my(@words) = split(/[^A-Za-z0-9\+\-\.\@\_\$\/\xc0-\xff]+/,$words);

    # sort word list and eliminate redundant words
    my(%worduniq); # for unique-ifying word list
    @words = grep { $worduniq{$_}++ == 0 } (sort @words);

    # Every "word" must have at least one alphanumeric
    @words = grep { /[a-zA-Z0-9\xc0-\xff]/ } @words;

    # Strip out single-character "words"
    @words = grep { length > 1 } @words;

    # Strip leading punctuation from words
    @words = grep { s/^[^a-zA-Z0-9\xc0-\xff]+//; $_ } @words;

    # Also index components of compound words
    my($word);
    foreach $word (@words) {
	push @words,&FoldCompound($word);
    }

    # sort word list and eliminate redundant words (again)
    undef %worduniq;
    @words = grep { $worduniq{$_}++ == 0 } (sort @words);

    my($wordsIndexed) = 0;
    foreach $word (@words) {
	$wordsIndexed++;
	my($a);
	if($main::wordCache{$word}) { $a = $main::wordCache{$word}; }
	$a .= pack "n","$fileKey";
	$main::wordCache{$word} = $a;
    }

    # If we've processed 500 entries into %main::wordCache, sync to disk
    if(++$main::wordCacheCount >= 500) {
	&FlushWordCache();
    }

    # Return count of words indexed
    return $wordsIndexed;
}


###########################################################################
#
# Some of the 'words' are compounds separated by / or -
# Those should also be indexed under their components.
# This function returns a list of all of the components of a given word.
#
sub FoldCompound {
    my($key) = @_;
     # If it's not a compound, return now
    if($key !~ m|[-\+/\@\.\_]|) { return; }

    # Collapse consecutive // or -- into one
    while($key =~ s|//+|/|) {
    }
    while($key =~ s|\+\++|/|) {
    }
    while($key =~ s|--+|-|) {
    }
    while($key =~ s|\.\.+|\.|) {
    }
    while($key =~ s|\_\_+|\_|) {
    }

    # Remember: A triple compound a/b/c has parts a/b and b/c
    # (e.g., DOS/OS/2 should index under OS/2 as well)
    if($key =~ m|^([^/]*)([-\+/\@\.\_])(.*)([-\+/\@\.\_])([^/]*)$|) {
	my($first,$second,$third,@subs) = ($1, $3, $5, "$1$2$3", "$3$4$5" );
	return ( @subs,
		 $first, &FoldCompound($first),
		 $second, &FoldCompound($second),
		 $third, &FoldCompound($third)  );
    } elsif ($key =~ m|[-/]|) {
	return ( $`, $' );
    }
}

###########################################################################
#
# A hook where you can systematically process the HTML before it
# gets indexed.  This is a good place to rip out copyright
# notices, navigation bars, or other common elements that don't
# help the indexing.
#
sub PreProcessHtml {
    ($_) = @_;

    # For DDJ articles: Remove copyright message at bottom of page
    s|<HR>\s*(<P>)?(<I>)?\s*Copyright\s*&copy;.*</BODY>|</BODY>|i;

    my($title) = "";
    if (m|<TITLE>(.*)</TITLE>|i){ # Extract 'title'
	$title = $1;
    }
    s|<HEAD>.*</HEAD>||i; # Throw out HEAD section
    $_ = $title . " " . $_; # Include title text

    # Strip out Listings from end of article
    #s|\[LISTING ONE\].*$||;

    return $_;
}

###########################################################################
#
# Convert a text containing HTML entity names (&lt;, &eacute;, etc.)
# into ISO Latin 1.
#
sub TranslateHtmlToIso {
    my($text,$indexURL) = @_;

    my(%ENTITY);
    %ENTITY = ( '&quot;' => '"',
		'&lt;' => '<',
		'&gt;' => '>',
		'&amp;' => '&',
		'&nbsp;' => '\240', # non-breaking space (decimal 160)
		'&agrave;' => 'à',		'&Agrave;' => 'À',
		'&aacute;' => 'á',		'&Aacute;' => 'Á',
		'&acirc;' => 'â',		'&Acirc;' => 'Â',
		'&atilde;' => 'ã',		'&Atilde;' => 'Ã',
		'&auml;' => 'ä',                '&Auml;' => 'Ä',
		'&aring;' => 'å',		'&Aring;' => 'Å',
		'&AElig;' => 'Æ',		'&aelig;' => 'æ',
		'&ccedil;' => 'ç',		'&Ccedil;' => 'Ç',
		'&egrave;' => 'è',		'&Egrave;' => 'È',
		'&eacute;' => 'é',		'&Eacute;' => 'É',
		'&ecirc;' => 'ê',		'&Ecirc;' => 'Ê',
		'&euml;' => 'ë',		'&Euml;' => 'Ë',
		'&igrave;' => 'ì',		'&Igrave;' => 'Ì',
		'&iacute;' => 'í',		'&Iacute;' => 'Í',
		'&icirc;' => 'î',		'&Icirc;' => 'Î',
		'&iuml;' => 'ï',		'&Iuml;' => 'Ï',
		'&eth;' => 'ð',		        '&ETH;' => 'Ð',
		'&ntilde;' => 'ñ',		'&Ntilde;' => 'Ñ',
		'&ograve;' => 'ò',		'&Ograve;' => 'Ò',
		'&oacute;' => 'ó',		'&Oacute;' => 'Ó',
		'&ocirc;' => 'ô',		'&Ocirc;' => 'Ô',
		'&otilde;' => 'õ',		'&Otilde;' => 'Õ',
		'&ouml;' => 'ö',		'&Ouml;' => 'Ö',
		'&oslash;' => 'ø',		'&Oslash;' => 'Ø',
		'&ugrave;' => 'ù',		'&Ugrave;' => 'Ù',
		'&uacute;' => 'ú',		'&Uacute;' => 'Ú',
		'&ucirc;' => 'û',		'&Ucirc;' => 'Û',
		'&uuml;' => 'ü',		'&Uuml;' => 'Ü',
		'&yacute;' => 'ý',		'&Yacute;' => 'Ý',
		'&thorn;' => 'þ',		'&THORN;' => 'Þ',
		'&yuml;' => 'ÿ',		'&szlig;' => 'ß',
		'&copy;' => '©',                '&reg;' => '®',
		'&yen;' => '¥',		        '&pound;' => '£',
		'&times;' => '×', # multiplication symbol (decimal 215)
		'&div;' => '÷',                 '&divide;' => '÷',
		'&deg;' => '°',                 '&micro;' => 'µ',
		'&pi;' => 'pi');
    # Substitute named entities
    $text =~ s/(&[a-zA-Z]+;)/
	exists $ENTITY{$1} ? $ENTITY{$1} :
		(&ProgressError("No substitute for $1 in $indexURL"),$1)[1]
    /ge;
    # Also substitute numeric form: $#177;
    $text =~ s/&#([0-9]+);/pack("c",$1)/ge;
    return $text;
}

#
# Replace each ISO char with a corresponding ASCII char
#  (e.g. strip accents, etc.)
# This is used to double-enter words with accented characters.
# This means that Ray Valdés can also be found under Ray Valdes
#
# (If your editor doesn't support 8-bit ISO Latin 1, this function is
# going to look really weird...)
#
sub StripAccents {
  my($text) = @_;

  # For accented characters, just strip the accents.
  # (Are Ð and ð really accented D and d, or is there a better translit?)
  # I map multiplication symbol -> x
  $text =~ tr/ÀÁÂÃÄÅÇÈÉÊËÌÍÎÏÐÑÒÓÔÕÖ×ØÙÚÛÜÝ/AAAAAACEEEEIIIIDNOOOOOxOUUUUY/;
  # I map division symbol -> /
  $text =~ tr|àáâãäåçèéêëìíîïðñòóôõö÷øùúûüýÿ|aaaaaaceeeeiiiidnooooo/ouuuuyy|;

  # For 8-bit symbols, translation is messier...
  # (Fortunately, these are not too common...)
  # \240 is non-breaking space
  $text =~ tr/\240¢£¤¥¦§¨¬­¯°¹²³´µ¶·¸ªº¿¡/ cLoY|S"---o123'uP.,ao?!/;

  # For many symbols, the best translations are multi-character ones
  $text =~ s/©/(C)/; # Copyright symbol -> (C)
  $text =~ s/®/(R)/; # Registered symbol -> (R)
  $text =~ s/±/+-/;  # plus/minus symbol -> +-
  $text =~ s/«/<</;  # French left guillemot -> <<
  $text =~ s/»/>>/;  # French right guillemot -> >>
  $text =~ s|¼|1/4|g; # Fraction 1/4 -> 1/4
  $text =~ s|½|1/2|g; # Fraction 1/2 -> 1/2
  $text =~ s|¾|3/4|g; # Fraction 3/4 -> 3/4
  $text =~ s/Æ/AE/g; # Danish AE ligature -> AE
  $text =~ s/æ/ae/g; # Danish ae ligature -> ae
  $text =~ s/Þ/TH/g; # Danish uppercase Thorn -> TH
  $text =~ s/þ/th/g; # Danish lowercase thorn -> th
  # Should Ð/ð (Danish eth) be mapped to 'th' too?
  $text =~ s/ß/ss/g; # German eszet -> ss
  return $text;
}

###########################################################################
#
# Convert string argument to a consistent case.
#

sub TranslateCase {
    $_ = $_[0];
    tr/ÀÁÂÃÄÅÇÈÉÊËÌÍÎÏÐÑÒÓÔÕÖØÙÚÛÜÝÐÞ/àáâãäåçèéêëìíîïðñòóôõöøùúûüýðþ/;
    return lc $_;
}


###########################################################################
# Flush temporary in-memory %wordCache to %index

sub FlushWordCache {
    my($word,$entry,$count,$wordcount);
    &Maps(); # Cross-index certain words
    &Stopwords(); # Remove stop words from index
    # Do merge in sorted order to improve cache response of on-disk DB
    foreach $word (sort keys %main::wordCache) {
	$entry = $main::wordCache{$word};
	if(defined $main::index{$word}) {
	    my($codedList);
	    $codedList = $main::index{$word};
	    $entry = &MergeLists($codedList,$entry);
	}

	# Store merged list into database
	$main::index{$word} = $entry;
	
	# Print some progress info occasionally so user knows we haven't died
	$wordcount++;
	if(++$count >= 100) {
	    &Progress("Merging: $wordcount words.");
	    $count = 0;
	}
    }
    %main::wordCache = (); # Empty the holding queue
    $main::wordCacheCount = 0; # Reset count
}

###########################################################################
#
# Some words should also be indexed somewhere else...
#
# The MAPS data structure is built from the word data at the end of
# this file.
#
sub Maps {
    my($word,$syn);
    foreach $word (keys %main::MAPS) {
	foreach $syn (@{$main::MAPS{$word}}) {
	    if ($word eq $syn) { next }
	    if(exists $main::wordCache{$word}) {
		if(exists $main::wordCache{$syn}) {
		    $main::wordCache{$word} .= $main::wordCache{$syn}
		}
	    } else {
		$main::wordCache{$word} = $main::wordCache{$syn}
	    }
	}
    }
}

###########################################################################
#
# Delete stopwords from %wordCache before flushing it to disk
#
sub Stopwords {
    foreach (keys %main::STOP) {
	if(exists $main::wordCache{$_}) {
	    delete $main::wordCache{$_};
	}
    }

    # Delete entries that match certain patterns
    my($key,$val);
    while(($key,$val) = each %main::wordCache) {
	if (length($key)<2) { # Single character
	    delete $main::wordCache{$key};
	} elsif ($key =~ /^[^a-zA-Z0-9\xc0-\xff]+$/) { # only punctuation
	    delete $main::wordCache{$key};
	} elsif ($key =~ /^0+$/) { # all zeros
	    delete $main::wordCache{$key};
	} elsif ($key =~ /^.[^a-zA-Z0-9\xc0-\xff]$/) { # char/punct
	    delete $main::wordCache{$key};
	} elsif ($key =~ /^[^a-zA-Z0-9\xc0-\xff].$/) { # punct/char
	    delete $main::wordCache{$key};
	} elsif ($key =~ /^[0-9]+[bl]?$/ && length($key) >= 8) { # Long numbers
	    delete $main::wordCache{$key};
	} elsif ($key =~ /^0x[0-9a-f]+[bl]?$/ && length($key) >= 8) { #Long hex
	    delete $main::wordCache{$key};
	} elsif (length($key) >= 25) { # very long entries
	    delete $main::wordCache{$key};
	} elsif ($key =~ m|[a-z0-9]--.*[a-z0-9]|) { # double-hyphen
	    delete $main::wordCache{$key};
	} elsif ($key =~ m|-.*-.*-|) { # three or more hyphens
	    delete $main::wordCache{$key};
	} elsif ($key =~ m|/.*/.*/|) { # three or more slashes
	    delete $main::wordCache{$key};
	}
    }
}

###########################################################################

sub MergeLists {
    my($list);
    # Simply append all the lists
    foreach (@_) { $list .= $_; }
    # Now, remove any duplicate entries
    my(@unpackedList) = unpack("n*",$list); # Unpack into integers
    my(%uniq); # sort and unique-ify
    @unpackedList = grep { $uniq{$_}++ == 0 }
                    sort { $main::a <=> $main::b }
                    @unpackedList;
    return pack("n*",@unpackedList); # repack
}

###########################################################################

sub FoldAccents {
    my($count,$wordcount,$accentcount) = (0,0,0);

    # Scan through database, build list of accented words
    my($word,$entry,@updates);
    while (($word,$entry) = each %main::index) {
	if($word =~ /[\x00-\x1f]/) { next } # Skip non-word entries
	if($word =~ /[\xa0-\xff]/) {  # If it contains an 8-bit character
	    push @updates,$word;
	    $accentcount++;
	}
	$wordcount++;
	if(++$count >= 100) {
	    &Progress("Folding accents: $accentcount/$wordcount words.");
	    $count = 0;
	}
    }
    
    # For each accented word, cross-index word w/ and w/o accents
    foreach $word (@updates) {
	my($entry) = $main::index{$word};
	my($ascii) = &StripAccents($word);
	my($entry2);
	if(defined $main::index{$ascii}) {
	    $entry2 = $main::index{$ascii};
	    $entry = &MergeLists($entry,$entry2);
	    $main::index{$word} = $entry;
	}
	$main::index{$ascii} = $entry;
	if(++$count >= 100) {
	    &Progress("Folding accents: $accentcount/$wordcount words.");
	    $count = 0;
	}
    }
    &ProgressStep("Folded accents: $accentcount/$wordcount words.");
}

###########################################################################
#
# Since this is time-consuming stuff, here's a basic progress meter.
# It prints a spinning bar beside the given message.
#

sub Progress {
    my($p) = substr("|/-\\",$main::progress++ % 4,1);
    my($pad) = " "x80;
    print substr(" $p @_$pad",0,78) . "\r";
}

sub ProgressError {
    &Progress("*** ",@_," ***");
    print "   \n";
}

sub ProgressStep {
    &Progress(@_);
    print "   \n";
}

###########################################################################
# Word info:
#
# Each line is a piece of word knowledge:
#
# 'SYN:' - these two words are synonyms
# 'VAR:' - subsequent words are variant forms of the first word
# 'STOP:' - these words should not be indexed
#

__END__
SYN: analyze analyse
SYN: anti-alias antialias
SYN: app-wizard appwizard
SYN: b-spline bspline
SYN: b-tree btree
SYN: back-chain backchain
SYN: back-end backend
SYN: back-track backtrack
SYN: back-up backup
SYN: bare-bone barebone
SYN: beastie beasty
SYN: beta-spline betaspline
SYN: beta-test betatest
SYN: bezier bézier
SYN: big-endian bigendian
SYN: bit_blt bitblt
SYN: bitblit blit
SYN: bitblt bitblit
SYN: bitfield bit-field
SYN: bitmask bit-mask
SYN: bool boolean
SYN: break-point breakpoint
SYN: catalog catalogue
SYN: cd-rom cdrom
SYN: cliché cliche
SYN: co-author coauthor
SYN: co-ordinate coordinate
SYN: co-processor coprocessor
SYN: co-worker coworker
SYN: code-breaker codebreaker
SYN: coder/decoder  codec
SYN: connexion connection
SYN: controllor controller
SYN: deinstall uninstall
SYN: descendant descendent
SYN: dynalink dyna-link
SYN: e-mail email
SYN: enfringe infringe
SYN: esthetic aesthetic
SYN: forgo forego
SYN: forloop for-loop
SYN: front-end frontend
SYN: functionkey function-key
SYN: implementer implementor
SYN: initialize initialise
SYN: microsec microsecond
SYN: millisec millisecond
SYN: multi-task multitask
SYN: multi-thread multithread
SYN: multi-tier multitier
SYN: mutator mutater
SYN: no-op noop
SYN: noop nop

# Don't include certain very common numbers in index
STOP: -1  000  10  100  14  16  20
STOP: a 
STOP: abajo 
STOP: acaso 
STOP: aca 
STOP: adentro 
STOP: adonde 
STOP: adrede 
STOP: afuera 
STOP: ahi 
STOP: ahora 
STOP: al 
STOP: algo 
STOP: alguien 
STOP: algunas 
STOP: alguna 
STOP: algunos 
STOP: alguno 
STOP: alla 
STOP: alli 
STOP: ambas 
STOP: ambos 
STOP: anta¥o 
STOP: anteayer 
STOP: antes 
STOP: ante 
STOP: apenas 
STOP: aposta 
STOP: aprisa 
STOP: aquellas 
STOP: aquella 
STOP: aquellos 
STOP: aquello 
STOP: aqui 
STOP: arriba 
STOP: asi 
STOP: aunque 
STOP: aun 
STOP: ayer 
STOP: a 
STOP: bajo 
STOP: bastantes 
STOP: bastante 
STOP: bien 
STOP: cabe 
STOP: cada 
STOP: casi 
STOP: cerca 
STOP: claro 
STOP: como 
STOP: contra 
STOP: con 
STOP: cual 
STOP: cuando 
STOP: cuantas 
STOP: cuanta 
STOP: cuantos 
STOP: cuanto 
STOP: cuan 
STOP: cuyo 
STOP: debajo 
STOP: del 
STOP: delante 
STOP: demasiadas 
STOP: demasiada 
STOP: demasiados 
STOP: demasiado 
STOP: dentro 
STOP: desde 
STOP: despacio 
STOP: despues 
STOP: detras 
STOP: de 
STOP: dondequiera 
STOP: donde 
STOP: efectivamente 
STOP: ellas 
STOP: ella 
STOP: ellos 
STOP: ello 
STOP: el 
STOP: encima 
STOP: enfrente 
STOP: entonces 
STOP: entretanto 
STOP: entre 
STOP: en 
STOP: es 
STOP: esas 
STOP: esa 
STOP: ese 
STOP: esos 
STOP: eso 
STOP: esta 
STOP: estais 
STOP: estamos 
STOP: estan 
STOP: estas 
STOP: este 
STOP: estos 
STOP: estoy 
STOP: esto 
STOP: e 
STOP: fuera 
STOP: ha 
STOP: habeis 
STOP: haber 
STOP: habido 
STOP: habiendo 
STOP: hacia 
STOP: han 
STOP: harto 
STOP: has 
STOP: hasta 
STOP: haya 
STOP: hayais 
STOP: hayamos 
STOP: hayan 
STOP: hayan 
STOP: hayas 
STOP: he 
STOP: hemos 
STOP: hola 
STOP: hoy 
STOP: igual 
STOP: jamas 
STOP: junto 
STOP: las 
STOP: la 
STOP: lejos 
STOP: les 
STOP: le 
STOP: los 
STOP: lo 
STOP: luego 
STOP: mal 
STOP: mas 
STOP: ma¥ana 
STOP: mejor 
STOP: menos 
STOP: me 
STOP: mientras 
STOP: mio 
STOP: mismas 
STOP: misma 
STOP: mismos 
STOP: mismo 
STOP: mi 
STOP: muchas 
STOP: mucha 
STOP: muchos 
STOP: mucho 
STOP: muy 
STOP: nada 
STOP: nadie 
STOP: ningunas 
STOP: ninguna 
STOP: ningunos 
STOP: ninguno 
STOP: ni 
STOP: nosotros 
STOP: no 
STOP: nuestras 
STOP: nuestra 
STOP: nuestros 
STOP: nuestro 
STOP: nunca 
STOP: otras 
STOP: otra 
STOP: otros 
STOP: otro 
STOP: o 
STOP: para 
STOP: pares 
STOP: par 
STOP: peor 
STOP: pero 
STOP: pocas 
STOP: poca 
STOP: pocos 
STOP: poco 
STOP: porque 
STOP: por 
STOP: primeramente 
STOP: propias 
STOP: propia 
STOP: propios 
STOP: propio 
STOP: pues 
STOP: que 
STOP: quien 
STOP: quizas 
STOP: quiza 
STOP: recientemente 
STOP: recien 
STOP: segun 
STOP: seguramente 
STOP: sendas 
STOP: sendos 
STOP: se 
STOP: siempre 
STOP: sino 
STOP: sin 
STOP: si 
STOP: sobre 
STOP: solamente 
STOP: solo 
STOP: son 
STOP: sucesivamente 
STOP: sus 
STOP: suyas 
STOP: suya 
STOP: suyos 
STOP: suyo 
STOP: su 
STOP: tales 
STOP: tal 
STOP: tambien 
STOP: tampoco 
STOP: tantas 
STOP: tanta 
STOP: tantos 
STOP: tanto 
STOP: tan 
STOP: tarde 
STOP: temprano 
STOP: te 
STOP: todavia 
STOP: todo 
STOP: tras 
STOP: tuyas 
STOP: tuya 
STOP: tuyos 
STOP: tuyo 
STOP: tu 
STOP: ultimamente 
STOP: unas 
STOP: unas 
STOP: una 
STOP: unos 
STOP: uno 
STOP: un 
STOP: usted 
STOP: u 
STOP: vamos 
STOP: vaya 
STOP: va 
STOP: venga 
STOP: vosotros 
STOP: vuestras 
STOP: vuestra 
STOP: vuestros 
STOP: vuestro 
STOP: ya 
STOP: yo 
STOP: y 

VAR: abandon  abandoned abandoning abandons
VAR: abbreviate  abbreviates
VAR: abbreviation  abbreviations
VAR: abc  abcs
VAR: abe  abes
VAR: abend  abends
VAR: abermud  abermuds
VAR: aberration  aberrations
VAR: abhor  abhors
VAR: abide  abides
VAR: abolish  abolished abolishing
VAR: abomination  abominations
VAR: abort  aborted aborting aborts
VAR: abound  abounds
VAR: abscissa  abscissas
VAR: absolute  absolutes
VAR: absorb  absorbed absorbing absorbs
VAR: abstract  abstracted abstracting abstracts
VAR: abstraction  abstractions
VAR: abstractor  abstractors
VAR: abuse  abuses
VAR: abut  abuts
VAR: academic  academics
VAR: academician  academicians
VAR: accel  accels
VAR: acceleration  accelerations
VAR: accelerator  accelerators
VAR: accent accented accents
VAR: accentuate  accentuates
VAR: accept  accepted accepting accepts
VAR: acceptor  acceptors
VAR: access  accessed accessing acess  acessed
VAR: accessor  accessors
VAR: accident  accidents
VAR: accidental  accidentals
VAR: acclaim  acclaimed
VAR: accolade  accolades
VAR: accommodate  accommodates
VAR: accommodation  accommodations
VAR: accompaniment  accompaniments
VAR: accompany  accompanying
VAR: accomplish  accomplished accomplishing
VAR: accomplishment  accomplishments
VAR: accord  accorded according accords
VAR: account  accounted accounting accounts
VAR: accountant  accountants
VAR: accoutrement  accoutrements
VAR: accrue  accrues
VAR: accumulate  accumulates
VAR: accumulation  accumulations
VAR: accumulator  accumulators
VAR: accusation  accusations
VAR: accuse  accuses
VAR: accustom  accustomed
VAR: ace  aces
VAR: ache  ached aching
VAR: achieve  achieves
VAR: achievement  achievements
VAR: acid  acids
VAR: ack  acked acking acks
VAR: acknowledge  acknowledges
VAR: acknowledgment  acknowledgments acknowledgement  acknowledgements
VAR: acorn  acorns
VAR: acoustic  acoustics
VAR: acquaint  acquainted acquaints
VAR: acquaintance  acquaintances
VAR: acquire  acquires acquir  acquired acquiring
VAR: acquisition  acquisitions
VAR: acre  acres
VAR: acronym  acronyms
VAR: act acted acting acts
VAR: action  actions
VAR: activate  activates
VAR: activation  activations
VAR: activist  activists
VAR: actor  actors
VAR: actual  actuals
VAR: ad  ads
VAR: adam  adams
VAR: adapt  adapted adapting adapts
VAR: adaptation  adaptations
VAR: adapter  adapters adaptor  adaptors
VAR: add  added adding adds
VAR: add-in  add-ins
VAR: add-on  add-ons
VAR: addend  addends
VAR: adder  adders
VAR: addfile  addfiles
VAR: addict  addicted addicts
VAR: additem  additems
VAR: addition  additions
VAR: address  addressed addressing
VAR: addressbook  addressbooks
VAR: addstring  addstrings
VAR: adhere  adheres
VAR: adherent  adherents
VAR: adjective  adjectives
VAR: adjoin  adjoining
VAR: adjourn  adjourned
VAR: adjunct  adjuncts
VAR: adjust  adjusted adjusting adjusts
VAR: adjustment  adjustments
VAR: administer  administered administering administers
VAR: administration  administrations
VAR: administrator  administrators
VAR: admission  admissions
VAR: admit  admits
VAR: admonishment  admonishments
VAR: adolescent  adolescents
VAR: adopt  adopted adopting adopts
VAR: adopter  adopters
VAR: adoption  adoptions
VAR: adorn  adorned
VAR: adornment  adornments
VAR: adult  adults
VAR: advance  advances
VAR: advancement  advancements
VAR: advantage  advantages
VAR: adventure  adventures
VAR: adverb  adverbs
VAR: advertise  advertises
VAR: advertisement  advertisements
VAR: advertiser  advertisers
VAR: advice  advices
VAR: advise  advises
VAR: adviser  advisers
VAR: advisor  advisors
VAR: advocate  advocates
VAR: aerodynamic  aerodynamics
VAR: aesthetic  aesthetics
VAR: affair  affairs
VAR: affect  affected affecting affects
VAR: affectation  affectations
VAR: affidavit  affidavits
VAR: affiliation  affiliations
VAR: affirm  affirmed
VAR: affix  affixed affixing
VAR: afflict  afflicted
VAR: afford  afforded affording affords
VAR: aficionado  aficionados
VAR: afield  afields
VAR: after  afters
VAR: afternoon  afternoons
VAR: afterward  afterwards
VAR: age  aged aging ages
VAR: agenda  agendas
VAR: agent  agents
VAR: aggregate  aggregates
VAR: aggregation  aggregations
VAR: agree  agreeing agrees
VAR: agreement  agreements
VAR: ahh  ahhing
VAR: aid  aided aiding aids
VAR: aide  aides
VAR: ail  ailing ails
VAR: aim  aimed aiming aims
VAR: air  airing airs aired
VAR: airbag  airbags
VAR: airflow  airflows
VAR: airfoil  airfoils
VAR: airline  airlines
VAR: airliner  airliners
VAR: airlink  airlinks
VAR: airplane  airplanes
VAR: airport  airports
VAR: airspace  airspaces
VAR: aisle  aisles
VAR: alamo  alamos
VAR: alarm  alarmed alarming alarms
VAR: album  albums
VAR: alert  alerted alerting alerts
VAR: algebra  algebras
VAR: algorist  algorists
VAR: algorithm  algorithms algorithmic  algorithmics
VAR: alias  aliased aliasing
VAR: alibi  alibis
VAR: alien  aliens
VAR: alienate  alienates
VAR: align  aligned aligning aligns
VAR: alignment  alignments
VAR: all  alls
VAR: allay  allayed allaying
VAR: allegation  allegations
VAR: allege  alleges
VAR: allegiance  allegiances
VAR: alleviate  alleviates
VAR: alley  alleys
VAR: alliance  alliances
VAR: alligator  alligators
VAR: alloc  alloced allocs
VAR: allocate  allocates
VAR: allocation  allocations
VAR: allocator  allocators
VAR: allociate  allociates
VAR: allot  allots
VAR: allotment  allotments
VAR: allow  allowed allowing allowsing allows alow  alowed
VAR: allowance  allowances
VAR: alloy  alloys alloyed alloying
VAR: allude  alludes alluded alluding
VAR: allusion  allusions
VAR: alm  alms
VAR: alp  alps
VAR: alpha  alphas
VAR: alphabet  alphabets
VAR: alphanumeric  alphanumerics
VAR: altair  altairs
VAR: alter  altered altering alters
VAR: alteration  alterations
VAR: alternate  alternates alternating alternated
VAR: alternative  alternatives
VAR: altitude  altitudes
VAR: alto  altos
VAR: alu  alus
VAR: am386  am386s
VAR: amass  amassed amassing amasses
VAR: amateur  amateurs
VAR: amaze  amazes
VAR: ambiance  ambiances
VAR: ambition  ambitions
VAR: amend  amended amending amends
VAR: amendment  amendments
VAR: america  americas
VAR: american  americans
VAR: amiga  amigas
VAR: amoeba  amoebas
VAR: amortize  amortizes
VAR: amount  amounted amounting amounts
VAR: amp  amps
VAR: ampersand  ampersands
VAR: amplifier  amplifiers
VAR: amplify  amplifying
VAR: amplitude  amplitudes
VAR: anagram  anagrams
VAR: analog  analogs
VAR: analogue  analogues
VAR: analyst  analysts
VAR: analyze  analyzes analyse  analyses
VAR: analyzer  analyzers
VAR: ancestor  ancestors
VAR: anchor  anchored anchoring anchors
VAR: ancient  ancients
VAR: and  anded anding ands
VAR: anecdote  anecdotes
VAR: angel  angels
VAR: angle  angles angled angling
VAR: angument  anguments
VAR: animal  animals
VAR: animate  animates animated animating
VAR: animation  animations
VAR: animator  animators
VAR: ankle  ankles
VAR: anneal  annealed annealing anneals
VAR: annotate  annotates annotated
VAR: annotation  annotations
VAR: announce  announces
VAR: announcement  announcements
VAR: annoy  annoyed annoying annoys
VAR: annoyance  annoyances
VAR: anoint  anointed anointing anoints
VAR: answer  answered answering answers
VAR: ant  ants
VAR: antagonist  antagonists
VAR: antecedent  antecedents
VAR: antenna  antennas
VAR: anthropologist  anthropologists
VAR: anthropomorphism  anthropomorphisms
VAR: anti-alias  anti-aliased anti-aliasing
VAR: antialias  antialiased antialiasing
VAR: anticipate  anticipates
VAR: antipattern  antipatterns
VAR: antique  antiques
VAR: any  anys
VAR: anyway  anyways
VAR: apache  apaches
VAR: apartment  apartments
VAR: ape  apes aped aping
VAR: aperture  apertures
VAR: aphorism  aphorisms
VAR: api  apis
VAR: apologize  apologizes
VAR: apostrophe  apostrophes
VAR: app  apps
VAR: appeal  appealed appealing appeals
VAR: appear  appeared appearing appears
VAR: appearance  appearances
VAR: append  appended appending appends
VAR: appendage  appendages
VAR: appetite  appetites
VAR: applaud  applauded applauds
VAR: apple  apples
VAR: appleevent  appleevents
VAR: applescript  applescripting applescripts
VAR: applet  applets
VAR: appliance  appliances
VAR: applicant  applicants
VAR: application  applications
VAR: applicator  applicators
VAR: apply  applying applys applied applies
VAR: appoint  appointed appointing
VAR: appointment  appointments
VAR: apportion  apportioned apportions
VAR: appreciate  appreciates appreciated appreciating
VAR: apprentice  apprentices
VAR: approach  approached approaching
VAR: appropriation  appropriations
VAR: approve  approves approved approving
VAR: approximate  approximates approximated
VAR: approximation  approximations
VAR: arbitrate  arbitrates arbitrated arbitrating
VAR: arbitrator  arbitrators
VAR: arc  arced arcs arcing
VAR: arcade  arcades
VAR: arch  arched arching arches
VAR: architect  architected architecting architects
VAR: architecture  architectures
VAR: archive  archives archiving
VAR: archiver  archivers
VAR: arctan  arctans
VAR: area  areas
VAR: arena  arenas
VAR: argue  argues arguing argued
VAR: argument  arguments
VAR: arise  arises arose arisen
VAR: arm  armed arms arming
VAR: armament  armaments
VAR: armor  armored
VAR: arouse  arouses arousing aroused
VAR: arrange  arranges arranging arranged
VAR: arrangement  arrangements
VAR: array  arrayed arrays
VAR: arrest  arrested arresting arrests
VAR: arrival  arrivals
VAR: arrive  arrives arriving arrived
VAR: arrow  arrowed arrows
VAR: arrowhead  arrowheads
VAR: arsenal  arsenals
VAR: art  arts
VAR: article  articles
VAR: articulation  articulations
VAR: artifact  artifacting artifacts
VAR: artist  artists
VAR: ascend  ascended ascending ascends
VAR: ascertain  ascertained ascertaining ascertains
VAR: ascribe  ascribes ascribed ascribing
VAR: asian  asians
VAR: asic  asics
VAR: aside  asides
VAR: ask  asked asking asks
VAR: asp  asps
VAR: aspect  aspects
VAR: aspiration  aspirations
VAR: aspire  aspires aspiring aspired
VAR: assail  assailed assails assailing
VAR: assassination  assassinations
VAR: assault  assaulted assaults
VAR: assemblage  assemblages
VAR: assemble  assembles assembling assembled
VAR: assembler  assemblers
VAR: assert  asserted asserting asserts
VAR: assertion  assertions
VAR: assess  assessed assessing assesses
VAR: assessment  assessments
VAR: asset  assets
VAR: assign  assigned assigning assigns
VAR: assignment  assignments assigment  assigments
VAR: assist  assisted assisting assists
VAR: assistant  assistants
VAR: associate  associates associated associating
VAR: association  associations
VAR: assume  assumes assumed assuming
VAR: assumption  assumptions
VAR: assurance  assurances
VAR: assure  assures assuring assured
VAR: asterisk  asterisks
VAR: asteroid  asteroids
VAR: astronaut  astronauts
VAR: astronomer  astronomers
VAR: asymptote  asymptotes
VAR: atari  ataris
VAR: atavist  atavists
VAR: atm  atms
VAR: atmosphere  atmospheres
VAR: atom  atoms
VAR: atomic  atomics
VAR: atonal  atonals
VAR: attach  attached attaching attaches
VAR: attachment  attachments
VAR: attack  attacked attacking attacks
VAR: attacker  attackers
VAR: attain  attained attaining attains
VAR: attempt  attempted attempting attempts attemp  attemps
VAR: attend  attended attending attends
VAR: attendant  attendants
VAR: attendee  attendees
VAR: attenuation  attenuations
VAR: attest  attesting attested attests
VAR: attitude  attitudes
VAR: attorney  attorneys
VAR: attract  attracted attracting attracts
VAR: attraction  attractions
VAR: attractor  attractors
VAR: attribute  attributes
VAR: attribution  attributions
VAR: auction  auctioned auctioning auctions
VAR: audience  audiences
VAR: audiophile  audiophiles
VAR: audit  audited auditing audits
VAR: audition  auditioned
VAR: auditor  auditors
VAR: augment  augmented augmenting augments
VAR: authenticate  authenticates
VAR: authentication  authentications
VAR: author  authored authoring authors
VAR: authority  authoritys
VAR: authorization  authorizations
VAR: authorize  authorizes authorizing authorized
VAR: authorizer  authorizers
VAR: auto  autos
VAR: autoincrement  autoincrementing autoincrements autoincremented
VAR: automate  automates automated automating
VAR: automatic  automatics
VAR: automaton  automatons
VAR: automobile  automobiles
VAR: autorepeat  autorepeated autorepeating autorepeats
VAR: autorouter  autorouters
VAR: autostart  autostarted autostarts autostarting
VAR: autostereogram  autostereograms
VAR: avail  avails
VAR: avalanche  avalanches
VAR: avatar  avatars
VAR: avenue  avenues
VAR: average  averages
VAR: avert  averted averts
VAR: avoid  avoided avoiding avoids
VAR: await  awaited awaiting awaits
VAR: awaken  awakened awakening awakens
VAR: award  awarded awarding awards
VAR: axis  axes
VAR: axiom  axioms
VAR: axon  axons
VAR: b-file  b-files
VAR: b-spline  b-splines
VAR: b-tree  b-trees
VAR: babylonian  babylonians
VAR: bachelor  bachelors
VAR: back  backed backing backs
VAR: back-chain  back-chaining back-chained
VAR: back-end  back-ends
VAR: back-track  back-tracking
VAR: back-up  back-ups
VAR: backbone  backbones
VAR: backdoor  backdoors
VAR: backer  backers
VAR: backfield  backfields
VAR: background  backgrounds backgrounded
VAR: backgrounder  backgrounders
VAR: backlight  backlighting backlit backlighted
VAR: backlink  backlinks
VAR: backorder  backordered backorders
VAR: backpack  backpacks
VAR: backplane  backplanes
VAR: backquote  backquotes
VAR: backspace  backspaces backspaced backspacing
VAR: backtrack  backtracking backtracks backtracked
VAR: backup  backups
VAR: backward  backwards
VAR: badge  badges
VAR: bag  bags bagged bagging
VAR: bagger  baggers
VAR: bail  bailed bailing bails
VAR: bait  baits baited baiting
VAR: bake  baked baking bakes
VAR: balance  balances
VAR: bald  balding
VAR: balk  balked balks balking
VAR: ball  balls balled
VAR: balloon  ballooned ballooning balloons
VAR: ballot  balloting
VAR: ballyhoo  ballyhooed
VAR: ban  bans
VAR: banana  bananas
VAR: band  banded banding bands
VAR: band-aid  band-aids
VAR: bandstand  bandstands
VAR: bandwidth  bandwidths bandwith  bandwiths
VAR: bang  banged banging bangs
VAR: banish  banished
VAR: bank  banked banking banks
VAR: banker  bankers
VAR: bankrupt  bankrupted bankrupts bankrupting
VAR: banner  banners
VAR: banquet  banquets
VAR: bar  bars barred barring
VAR: barb  barbs barbed
VAR: barbarian  barbarians
VAR: barber  barbers
VAR: bare-bone  bare-bones
VAR: bargain  bargaining bargains bargained
VAR: bark  barking barks barked
VAR: baron  barons
VAR: barrel  barreling barrels barreled
VAR: barrier  barriers
VAR: bartender  bartenders
VAR: base  based basing bases
VAR: basehandler  basehandlers
VAR: baseline  baselines
VAR: basement  basements
VAR: bash  bashed bashing bashes
VAR: basic  basics
VAR: basin  basins
VAR: bask  basking basked basks
VAR: basket  baskets
VAR: bat  bats batted batting
VAR: batch  batched batching
VAR: bathe  bathed bathing bathes
VAR: bath baths
VAR: bathtub  bathtubs
VAR: battle  battles
VAR: battlefield  battlefields
VAR: battleship  battleships
VAR: baud  bauds
VAR: bay  bays
VAR: bayesian  bayesians
VAR: be  been is are was were
VAR: beach  beached beaches beaching
VAR: beacon  beaconing
VAR: bead  beaded beading beads
VAR: beam  beamed beaming beams
VAR: bean  beans beaned beaning
VAR: bear  bears bore
VAR: bearing  bearings
VAR: beast  beasts
VAR: beastie  beasties
VAR: beat  beats beaten
VAR: beater  beaters
VAR: beating  beatings
VAR: beatles beatle
VAR: beautifier  beautifiers
VAR: become  becomes
VAR: bed  beds
VAR: bedevil  bedeviled
VAR: bedroom  bedrooms
VAR: bee  bees
VAR: beef  beefed beefing beefs
VAR: beep  beeping beeps
VAR: beer  beers
VAR: before  befores
VAR: befriend  befriended befriends
VAR: beg  begs begged begging
VAR: beget  begets begat
VAR: begin  begining begins beginning  beginnings
VAR: beginner  beginners
VAR: behave  behaves
VAR: behavior  behaviors
VAR: behemoth  behemoths
VAR: behoove  behooves
VAR: being  beings
VAR: belabor  belabors
VAR: belch  belching
VAR: belie  belies
VAR: belief  beliefs
VAR: believe  believes believed
VAR: believer  believers
VAR: bell  bells
VAR: bell-bottom  bell-bottoms
VAR: belly  bellying
VAR: belong  belonged belongs
VAR: belonging  belongings
VAR: belt  belts belted belting
VAR: bemoan  bemoaned bemoans
VAR: bench  benching benched benches
VAR: benchmark  benchmarked benchmarking benchmarks
VAR: bend  bending bends bended
VAR: benefactor  benefactors
VAR: benefit  benefited benefiting benefits
VAR: bernoulli  bernoullis
VAR: berth  berths
VAR: beside  besides
VAR: besmirch  besmirched
VAR: best  bested
VAR: best-effort  best-efforts
VAR: best-match  best-matching
VAR: best-seller  best-sellers
VAR: bet  bets
VAR: beta  betas
VAR: beta-spline  beta-splines
VAR: beta-test  beta-testing
VAR: betamax  betamaxed
VAR: better  bettering
VAR: between  betweens
VAR: bevel  beveled bevels
VAR: bezier  beziers
VAR: bf  bfs
VAR: bias  biased biasing biases
VAR: bicep  biceps
VAR: bicycle  bicycles
VAR: bid  bids
VAR: bidder  bidders
VAR: bifurcate  bifurcates bifurcated
VAR: bifurcation  bifurcations
VAR: big-endian  big-endians
VAR: biggie  biggies
VAR: bigot  bigots bigoted
VAR: bike  bikes
VAR: bill  billed billing bills
VAR: billboard  billboards
VAR: billion  billions
VAR: billionaire  billionaires
VAR: bin  bins
VAR: bind  binds
VAR: binder  binders
VAR: binding  bindings
VAR: binge  binges
VAR: binhex  binhexed binhexes binhexing
VAR: binocular  binoculars
VAR: bio  bios
VAR: biographer  biographers
VAR: biologist  biologists
VAR: biomorph  biomorphs
VAR: bioorganism  bioorganisms
VAR: biostick  biosticks
VAR: bipartition  bipartitioning bipartitions bipartitioned
VAR: bird  birds
VAR: birdhouse  birdhouses
VAR: birthday  birthdays
VAR: bit  bits
VAR: bit-field  bit-fields
VAR: bit-ism  bit-isms
VAR: bit-mask  bit-masking bit-masks
VAR: bit_blt  bit_blts
VAR: bitblit  bitblits bitbliting bitblited
VAR: bitblt  bitblted bitblting bitblts
VAR: bitch  bitching
VAR: bite  biting bitten bites biter
VAR: bitfield  bitfields
VAR: bitmap  bitmapped bitmaps bitmapping
VAR: bitset  bitsets
VAR: bitstream  bitstreams
VAR: black  blacks
VAR: blackboard  blackboards
VAR: blackout  blackouts
VAR: blacksmith  blacksmiths
VAR: blade  blades
VAR: blame  blamed blaming blames
VAR: blank  blanked blanking blanks
VAR: blanket  blanketed blanketing
VAR: blast  blasted blasting blasts
VAR: blaster  blasters
VAR: blather  blathering blathers blathered
VAR: bleed bled bleeding bleeds
VAR: blend  blended blending blends
VAR: bless  blessed blesses
VAR: blessing  blessings
VAR: blind  blinded blinding blinds
VAR: blink  blinked blinking blinks
VAR: blit  blits blitted blitting
VAR: blitter  blitters
VAR: blizzard  blizzards
VAR: bloat  bloated bloating bloats
VAR: blob  blobing blobs blobbing blobbed
VAR: block  blocked blocking blocks
VAR: blockage  blockages
VAR: blockflag  blockflags
VAR: blocksize  blocksizes
VAR: blonde  blondes
VAR: blood  blooded bloods
VAR: bloodhound  bloodhounds
VAR: bloom  blooming blooms bloomed
VAR: blossom  blossomed blossoming blossoms
VAR: blow  blowing blows blew
VAR: blowout  blowouts
VAR: blowup  blowups
VAR: blue  blues
VAR: blueprint  blueprints
VAR: bluff  bluffed bluffing bluffs
VAR: blunder  blunders
VAR: blur  blured blurs blurred blurring
VAR: blurt  blurted blurts blurting
VAR: blush  blushed blushes blushing
VAR: bmp  bmps
VAR: bmw  bmws
VAR: board  boarding boards boarded
VAR: boardroom  boardrooms
VAR: boast  boasted boasting boasts
VAR: boat  boats
VAR: boggle  boggles boggled boggling
VAR: boil  boiling boils boiled
VAR: boilerplate  boilerplates
VAR: bold  bolding
VAR: bolt  bolted bolting bolts
VAR: bomb  bombed bombing bombs
VAR: bond  bonded bonding bonds
VAR: bone  boned bones boning
VAR: book  booked books
VAR: booking  bookings
VAR: bookkeep  bookkeeping
VAR: booklet  booklets
VAR: bookmark  bookmarks
VAR: bookname  booknames
VAR: bookseller  booksellers
VAR: bookshop  bookshops
VAR: bookstore  bookstores
VAR: boolean  booleans
VAR: boom  booming booms
VAR: boomer  boomers
VAR: boost  boosted boosting boosts
VAR: booster  boosters
VAR: boot  booted booting boots
VAR: bootcamp  bootcamps
VAR: booth  booths
VAR: bootstrap  bootstraps
VAR: border  bordered bordering borders
VAR: borland  borlands
VAR: borlander  borlanders
VAR: borough  boroughs
VAR: borrow  borrowed borrowing borrows
VAR: botanist  botanists
VAR: bother  bothered bothering bothers
VAR: bottle  bottles bottled
VAR: bottleneck  bottlenecks
VAR: bottom  bottoms
VAR: bounce  bounces bouncing bounced
VAR: bouncer  bouncers
VAR: bound  bounded bounding bounds
VAR: bow  bowed bowing bows
VAR: bower  bowers
VAR: bowl  bowling bowls
VAR: box  boxed boxing boxes
VAR: boy  boys
VAR: boycott  boycotted boycotting boycotts
VAR: bozo  bozos
VAR: brace  braces bracing braced
VAR: bracket  bracketed bracketing brackets
VAR: brag  brags bragging bragged
VAR: braid  braiding braided braids
VAR: brain  brains
VAR: brainstorm  brainstorming brainstorms
VAR: brake  brakes braked braking
VAR: branch  branched branching branches
VAR: brand  branded branding brands
VAR: brave  braves
VAR: breach  breached breaching breaches
VAR: breadboard  breadboarded breadboarding breadboards
VAR: break  breaking breaks broke
VAR: break-in  break-ins
VAR: break-point  break-points
VAR: breakdown  breakdowns
VAR: breakpoint  breakpointed breakpointing breakpoints
VAR: breakthrough  breakthroughs
VAR: breath breaths
VAR: breathe  breathes  breathed breathing
VAR: breed  breeding breeds bred
VAR: breeder  breeders
VAR: breeze  breezes
VAR: brew  brewed brewing brews
VAR: brick  bricks bricked bricking
VAR: bridge  bridges bridged bridging
VAR: brief  briefed briefs
VAR: briefing  briefings
VAR: brighten  brightens
VAR: bring  bringing brings brought brung
VAR: broadcast  broadcasted broadcasting broadcasts
VAR: broaden  broadened broadening broadens
VAR: brochure  brochures
VAR: broker  brokering brokers brokered
VAR: brook  brooks
VAR: brother  brothers
VAR: brownie  brownies
VAR: browse  browsed browsing browses
VAR: browser  browsers
VAR: brush  brushed brushes brushing
VAR: bspline  bsplines
VAR: btree  btrees
VAR: bubble  bubbles
VAR: buck  bucking bucks
VAR: bucket  buckets
VAR: bud  buds  budding budded
VAR: budget  budgeted budgeting budgets
VAR: buff  buffs buffed buffing
VAR: buffer  buffered buffering buffers
VAR: buffet  buffeted buffets
VAR: bug  bugs
VAR: bugaboo  bugaboos
VAR: build  builds built
VAR: builder  builders
VAR: building  buildings
VAR: built-in  built-ins
VAR: bulb  bulbs
VAR: bulge  bulges bulged bulging
VAR: bulk  bulking bulks bulked
VAR: bull  bulls
VAR: bullet  bullets
VAR: bulletin  bulletins
VAR: bulletproof  bulletproofs
VAR: bullock  bullocks
VAR: bully  bullying bullied bullies
VAR: bum  bums
VAR: bump  bumped bumping bumps
VAR: bumper  bumpers
VAR: bundle  bundles bundled bundling
VAR: bundy  bundys
VAR: bunk  bunking bunked bunks
VAR: buoy  buoys
VAR: burden  burdened burdening burdens
VAR: bureau  bureaus
VAR: bureaucrat  bureaucrats
VAR: burn  burned burning burns
VAR: burner  burners
VAR: burp  burped burps burping
VAR: burst  bursting bursts
VAR: bury  burying buried buries
VAR: bus buses busing bused
VAR: buss  bussed bussing
VAR: businessland  businesslands
VAR: bust  busted busts busting
VAR: buster  busters
VAR: butt  butted butts butting
VAR: button  buttons
VAR: buy  buying buys bought
VAR: buyer  buyers
VAR: buzz  buzzed buzzing buzzes
VAR: buzzard  buzzards
VAR: buzzword  buzzwords
VAR: by-product  by-products
VAR: byline  bylines
VAR: bypass  bypassed bypassing bypasses
VAR: byproduct  byproducts
VAR: byte  bytes
VAR: byte-address  byte-addressed
VAR: byte-order  byte-ordering
VAR: byte-swap  byte-swaps
VAR: bytecode  bytecodes
VAR: bézier  béziers
VAR: cabal  cabals
VAR: cabinet  cabinets
VAR: cable  cables cabling cabled
VAR: cache  cacheing caches cached
VAR: cadet  cadets
VAR: cage  cages caged caging
VAR: calc  calcs
VAR: calculate  calculates calculating calculated
VAR: calculation  calculations
VAR: calculator  calculators
VAR: calendar  calendaring calendars
VAR: calibrate calibrates calibrated calibrating
VAR: calibration  calibrations
VAR: californian  californians
VAR: call  called calling calls
VAR: call-back  call-backs
VAR: callback  callbacks
VAR: calldown  calldowns
VAR: caller  callers
VAR: callgate  callgates
VAR: calloc  callocs
VAR: calm  calmed calming calms
VAR: calulate  calulates
VAR: cam  cams
VAR: camcorder  camcorders
VAR: camel  camels
VAR: cameo  cameos
VAR: camera  cameras
VAR: camp  camping camps camped
VAR: campaign  campaigned campaigning campaigns
VAR: campbell  campbells
VAR: can cans
VAR: cancel  canceled canceling cancels
VAR: canceler  cancelers
VAR: cancer  cancers
VAR: candidate  candidates
VAR: candle  candles
VAR: cane caning caned canes
VAR: cannon  cannons
VAR: canon  canons
VAR: canonize  canonizes canonized 
VAR: canyon  canyons
VAR: cap  caps
VAR: capacitor  capacitors
VAR: capital  capitals
VAR: capitalist  capitalists
VAR: capitalize  capitalizes
VAR: capsule  capsules
VAR: captain  captains
VAR: caption  captioned captioning captions
VAR: captive  captives
VAR: capture  captures captured capturing
VAR: car cars
VAR: card  cards
VAR: cardinal  cardinals
VAR: cardmaker  cardmakers
VAR: care  cares cared caring
VAR: career  careers
VAR: caricature  caricatures caricatured
VAR: carol  carols
VAR: carom  caromed caroms caroming
VAR: carp  carped carping carps
VAR: carpenter  carpenters
VAR: carpet  carpeting carpets
VAR: carrier  carriers
VAR: carry  carrying carried carries
VAR: cart  carted carts
VAR: cartel  cartels
VAR: cartoon  cartoons
VAR: cartoonist  cartoonists
VAR: cartridge  cartridges
VAR: carve  carves
VAR: cascade  cascades
VAR: cascader  cascaders
VAR: case  cases casing cased
VAR: cash  cashed cashes cashing
VAR: casino  casinos
VAR: cassette  cassettes
VAR: cast  casted casting casts
VAR: castle  castles
VAR: cat  cats
VAR: catalog  cataloged cataloging catalogs
VAR: catalogue  catalogues catalogued cataloguing
VAR: catalyst  catalysts
VAR: catapult  catapulted catapulting catapults
VAR: catastrophe  catastrophes
VAR: catch  catching caught catches
VAR: catcher  catchers
VAR: categorize  categorizes
VAR: cater  catered catering caters
VAR: cathedral  cathedrals
VAR: catholic  catholics
VAR: cause  causes caused causing
VAR: caution  cautioned cautions
VAR: cave  caves caved caving
VAR: caveat  caveats
VAR: cavern  caverns
VAR: cd  cds
VAR: cd-rom  cd-roms
VAR: cdrom  cdroms
VAR: cease  ceases ceased ceasing
VAR: cede  ceded ceding cedes
VAR: ceiling  ceilings
VAR: celebrate  celebrates
VAR: cell  cells
VAR: cell-face  cell-faces
VAR: cement  cementing cements cemented
VAR: censor  censored censors censoring
VAR: cent  cents
VAR: center  centered centering centers
VAR: centimeter  centimeters
VAR: centralize  centralizes centralized centralizing
VAR: centroid  centroids
VAR: ceo  ceos
VAR: cereal  cereals
VAR: certificate  certificates
VAR: certification  certifications
VAR: certify  certifying certifies certified
VAR: cfront  cfronts
VAR: cga  cgas
VAR: cgi  cgis
VAR: chagrin  chagrined
VAR: chain  chained chaining chains
VAR: chair  chaired chairing chairs
VAR: chalk  chalked chalking chalks
VAR: challenge  challenges challenged challenging
VAR: chamber  chambers
VAR: champ  champing champs champed
VAR: champion  championed championing champions
VAR: chance  chances chanced chancing
VAR: change  changed changing changes
VAR: changebit  changebits
VAR: changer  changers
VAR: channel  channeled channeling channels
VAR: chant  chanting chanted chants
VAR: chapter  chapters
VAR: char  chars
VAR: character  characters charcter  charcters
VAR: characteristic  characteristics
VAR: characterization  characterizations
VAR: characterize  characterizes characterized characterizing
VAR: charcode  charcodes
VAR: charge  charges charged charging
VAR: chariot  chariots
VAR: charm  charming charms charmed
VAR: chart  charting charts charted
VAR: charter  chartered charters chartering
VAR: chase  chases chased chasing
VAR: chasm  chasms
VAR: chat  chats chatted chatting
VAR: chatroom  chatrooms
VAR: chatter  chattered chatters chattering
VAR: cheat  cheated cheating cheats
VAR: check  checked checking checks
VAR: check-bit  check-bits
VAR: checkbook  checkbooks
VAR: checker  checkered checkers
VAR: checkerboard  checkerboards
VAR: checkfile  checkfiles
VAR: checklist  checklists
VAR: checkmark  checkmarks
VAR: checkpoint  checkpointed checkpointing checkpoints
VAR: checksum  checksums checksumming checksummed
VAR: cheer  cheered cheering cheers
VAR: cheerleader  cheerleaders
VAR: chef  chefs
VAR: chem  chems
VAR: chemical  chemicals
VAR: chemist  chemists
VAR: cherish  cherished cherishes cherishing
VAR: chessboard  chessboards
VAR: chest  chests
VAR: chestnut  chestnuts
VAR: chevelle  chevelles
VAR: chew  chewed chewing chews
VAR: chi  chis
VAR: chicken  chickened chickens
VAR: chiclet  chiclets
VAR: chief  chiefs
VAR: chill  chilling chilled chills
VAR: chime  chimes chimed chiming
VAR: chimpanzee  chimpanzees
VAR: chip  chips chipping chipped
VAR: chipmunk  chipmunks
VAR: chipset  chipsets
VAR: chirp  chirping chirps chirped
VAR: chisel  chiseled chiseling chisels
VAR: choice  choices
VAR: choke  chokes choking choked
VAR: choose  chooses chosen choosing
VAR: chop  chops
VAR: chopstick  chopsticks
VAR: chord  chords
VAR: chore  chores
VAR: choreographer  choreographers
VAR: chorus  chorusing choruses chorused
VAR: chrome  chromed chromes
VAR: chromosome  chromosomes
VAR: chronicle  chronicles chronicled
VAR: chuck  chucked chucking
VAR: chuckle  chuckles chuckled chuckling
VAR: chunk  chunked chunking chunks
VAR: churn  churned churning churns
VAR: cigarette  cigarettes
VAR: cipher  ciphered ciphers ciphering
VAR: ciphertext  ciphertexts
VAR: circle  circles circled circling
VAR: circuit  circuited circuiting circuits
VAR: circulate  circulates circulated circulating
VAR: circumscribe  circumscribes circumscribed
VAR: circumstance  circumstances
VAR: circumvent  circumvented circumventing circumvents
VAR: cisc  ciscs
VAR: citation  citations
VAR: cite  cites cited citing
VAR: citizen  citizens
VAR: civilian  civilians
VAR: civilization  civilizations
VAR: claim  claimed claiming claims claming
VAR: claimant  claimants
VAR: clam clams
VAR: clamor  clamoring clamored
VAR: clamp  clamped clamping clamps
VAR: clan  clans
VAR: clang  clanging
VAR: clap  clapping clapped claps
VAR: clarification  clarifications
VAR: clarify  clarifying clarifies clarified
VAR: clash  clashing clashed clashes
VAR: class  classed classes
VAR: classdef  classdefs
VAR: classhandler  classhandlers
VAR: classic  classics
VAR: classification  classifications
VAR: classified  classifieds
VAR: classified-ad  classified-ads
VAR: classify  classifying classifies
VAR: classlib  classlibs
VAR: classmate  classmates
VAR: classname  classnames
VAR: classroom  classrooms
VAR: clause  clauses
VAR: clean  cleaned cleaning cleans
VAR: clean-up  clean-ups
VAR: cleaner  cleaners
VAR: cleanup  cleanups
VAR: clear  cleared clearing clears
VAR: clearinghouse  clearinghouses
VAR: clench  clenched clenches clenching
VAR: clerk  clerks
VAR: cliche  cliches
VAR: cliché  clichés
VAR: click  clicked clicking clicks
VAR: clicklistener  clicklisteners
VAR: client  clients
VAR: cliff  cliffs
VAR: climb  climbed climbing climbs
VAR: cling  clinging clung clings
VAR: clinic  clinics
VAR: clip  clips
VAR: clipboard  clipboards
VAR: clique  cliques
VAR: clist  clists
VAR: cloak  cloaked cloaking
VAR: clobber  clobbered clobbering clobbers
VAR: clock  clocked clocks
VAR: clocking  clockings
VAR: clog  clogs clogged clogging
VAR: cloister  cloisters
VAR: clone  clones cloned cloning
VAR: cloner  cloners
VAR: close  closed closes
VAR: close-up  close-ups
VAR: closed-caption  closed-captioned
VAR: closedocument  closedocuments
VAR: closet  closets
VAR: closeup  closeups
VAR: closing  closings
VAR: closure  closures
VAR: cloud  clouded clouds
VAR: cloverleaf  cloverleafs
VAR: clsid  clsids
VAR: club  clubs
VAR: clue  clued clues
VAR: cluster  clustered clusters
VAR: clustering  clusterings
VAR: clutch  clutching clutched clutches
VAR: clutter  cluttered cluttering clutters
VAR: co-author  co-authored co-authoring co-authors
VAR: co-exist  co-exists
VAR: co-opt  co-opting
VAR: co-ordinate  co-ordinates
VAR: co-processor  co-processors
VAR: co-worker  co-workers
VAR: coach  coaching
VAR: coal  coals
VAR: coalesce  coalesces
VAR: coalition  coalitions
VAR: coarse-grain  coarse-grained
VAR: coast  coasted coasting coasts
VAR: coastline  coastlines
VAR: coat  coated coating coats coatings
VAR: coattail  coattails
VAR: coauthor  coauthored coauthoring coauthors
VAR: coax  coaxed coaxing
VAR: cock  cocks
VAR: cod cods
VAR: code  coded coding codes
VAR: code-breaker  code-breakers
VAR: codebreaker  codebreakers
VAR: codec  codecs
VAR: coder  coders
VAR: coder/decoder  coder/decoders
VAR: codesign  codesigned
VAR: codevelop  codeveloped
VAR: codeveloper  codevelopers
VAR: codeword  codewords
VAR: codify  codifying
VAR: coefficient  coefficients
VAR: coerce  coerces coerced coercing
VAR: coercion  coercions
VAR: coexist  coexisting coexists coexisted
VAR: coffee  coffees
VAR: coffeehouse  coffeehouses
VAR: cofound  cofounded cofounds
VAR: cofounder  cofounders
VAR: cognizer  cognizers
VAR: cohort  cohorts
VAR: coil  coiled coils coiling
VAR: coin  coined coining coins
VAR: coinage  coinages
VAR: coincide  coincides
VAR: coincidence  coincidences
VAR: coke  cokes
VAR: cokemachine  cokemachines
VAR: cole  coles
VAR: collaboration  collaborations
VAR: collaborator  collaborators
VAR: collage  collages
VAR: collapse  collapses
VAR: collar  collars
VAR: collationkey  collationkeys
VAR: colleague  colleagues
VAR: collect  collected collecting collects
VAR: collectible  collectibles
VAR: collection  collections
VAR: collective  collectives
VAR: collector  collectors
VAR: college  colleges
VAR: collide  collides collided colliding
VAR: collision  collisions
VAR: collision-test  collision-testing
VAR: colon  colons
VAR: color  colored coloring colors
VAR: colorize  colorizes
VAR: colormap  colormaps
VAR: colorref  colorrefs
VAR: colour  coloured
VAR: column  columns
VAR: columnist  columnists
VAR: comb  combing combs
VAR: combat  combating combats
VAR: combination  combinations
VAR: combine  combines
VAR: combo  combos
VAR: come  comes coming came
VAR: comet  comets
VAR: comfort  comforted comforting comforts
VAR: comic  comics
VAR: comma  commas
VAR: command  commanded commanding commands
VAR: command-line  command-lines
VAR: commander  commanders
VAR: commandwindow  commandwindows
VAR: commence  commences
VAR: commend  commended
VAR: comment  commented commenting comments
VAR: commentator  commentators
VAR: commercial  commercials
VAR: commie  commies
VAR: commission  commissioned commissioning commissions
VAR: commissioner  commissioners
VAR: commit  commits
VAR: commitment  commitments
VAR: committee  committees
VAR: common  commons
VAR: communicate  communicates
VAR: communication  communications
VAR: communicator  communicators
VAR: communique  communiques
VAR: communist  communists
VAR: commute  commutes commuted commuting
VAR: commuter  commuters
VAR: comp  comping comps
VAR: compact  compacted compacting compacts
VAR: companion  companions
VAR: comparator  comparators
VAR: compare  compared comparing compares
VAR: compare_key  compare_keys
VAR: comparison  comparisons
VAR: compartment  compartments
VAR: compatible  compatibles
VAR: compel  compels
VAR: compensate  compensates
VAR: compete  competed competing competes
VAR: competition  competitions
VAR: competitor  competitors
VAR: compilation  compilations
VAR: compile  compiles compiling compiled
VAR: compiler  compilers
VAR: complain  complained complaining complains
VAR: complaint  complaints
VAR: complement  complemented complementing complements
VAR: complete  completed completing completes
VAR: completion  completions
VAR: complex-number  complex-numbers
VAR: complicate  complicates
VAR: complication  complications
VAR: compliment  complimented complimenting compliments
VAR: comply  complying complied complies
VAR: component  components
VAR: comport  comports
VAR: compose  composes
VAR: composer  composers
VAR: composite  composites
VAR: composition  compositions
VAR: compound  compounded compounding compounds
VAR: comprehend  comprehended comprehending comprehends
VAR: compress  compressed compressing compresses
VAR: compression  compressions
VAR: compressor  compressors
VAR: comprise  comprises
VAR: compromise  compromises
VAR: compulsive  compulsives
VAR: computation  computations
VAR: compute  computed computing computes
VAR: computer  computers
VAR: computer-graphic  computer-graphics
VAR: computer-system  computer-systems
VAR: concat  concats
VAR: concatenate  concatenates
VAR: concatenation  concatenations
VAR: conceal  concealed concealing conceals
VAR: concede  concedes
VAR: concentrate  concentrates concentrated concentrating
VAR: concentration  concentrations
VAR: concentrator  concentrators
VAR: concept  concepts
VAR: conception  conceptions
VAR: concern  concerned concerning concerns
VAR: concert  concerted concerts
VAR: concession  concessions
VAR: conclude  concludes concluding concluded
VAR: conclusion  conclusions
VAR: concoct  concocted concocts
VAR: concretemessage  concretemessages
VAR: concreteobserver  concreteobservers
VAR: concreterecipient  concreterecipients
VAR: concur  concurs concurred concurring
VAR: condemn  condemned condemning condemns
VAR: condition  conditioned conditioning conditions
VAR: conditional  conditionals
VAR: condone  condones condoning condoned
VAR: conduct  conducted conducting conducts
VAR: conductor  conductors
VAR: conduit  conduits
VAR: cone  cones
VAR: confer  confers
VAR: conference  conferences
VAR: confess  confessed confessing confesses
VAR: confession  confessions
VAR: configuration  configurations
VAR: configure  configures configured configuring
VAR: confine  confines confined confining
VAR: confirm  confirmed confirming confirms
VAR: confirmation  confirmations
VAR: conflict  conflicted conflicting conflicts
VAR: conform  conformed conforming conforms
VAR: confound  confounded confounding confounds
VAR: confront  confronted confronting confronts
VAR: confuse  confuses confusing confused
VAR: confusion  confusions
VAR: conglomerate  conglomerates
VAR: conic  conics
VAR: conjecture  conjectures conjecturing conjectured
VAR: conjunction  conjunctions
VAR: conjure  conjures conjured
VAR: conn  conns
VAR: connect  connected connecting connects
VAR: connection  connections conection  conections
VAR: connectionist  connectionists
VAR: connector  connectors
VAR: connexion  connexions
VAR: connotation  connotations
VAR: conquer  conquered conquering conquers
VAR: cons  consing consed
VAR: consent  consented consenting
VAR: consequence  consequences
VAR: consequent  consequents
VAR: conserve  conserves conserved conserving
VAR: consider  considered considering considers
VAR: consideration  considerations
VAR: consign  consigned consigns consigning
VAR: consist  consisted consisting consists
VAR: consolation  consolations
VAR: console  consoles consoled consoling
VAR: consolidate  consolidates
VAR: consonant  consonants
VAR: consortium  consortiums
VAR: const  consts
VAR: constant  constants
VAR: constellation  constellations
VAR: constituent  constituents
VAR: constitute  constitutes constituted
VAR: constrain  constrained constraining constrains
VAR: constraint  constraints
VAR: constrict  constricted
VAR: construct  constructed constructing constructs
VAR: construction  constructions
VAR: constructor  constructors
VAR: consult  consulted consulting consults
VAR: consultant  consultants
VAR: consultation  consultations
VAR: consumable  consumables
VAR: consume  consumes consumed consuming
VAR: consumer  consumers
VAR: contact  contacted contacting contacts
VAR: contain  contained containing contains
VAR: container  containers
VAR: contend  contended contending contends
VAR: contender  contenders
VAR: content  contents
VAR: contention  contentions
VAR: contest  contested contesting contests
VAR: contestant  contestants
VAR: context  contexts
VAR: context-switch  context-switched context-switching
VAR: continent  continents
VAR: continue  continues continued continuing
VAR: continuum  continuums
VAR: contort  contorted contorting contorts
VAR: contour  contoured contouring contours
VAR: contract  contracted contracting contracts
VAR: contraction  contractions
VAR: contractor  contractors
VAR: contradict  contradicted contradicting contradicts
VAR: contradiction  contradictions
VAR: contraption  contraptions
VAR: contrast  contrasted contrasting contrasts
VAR: contribute  contributes contributed contributing
VAR: contribution  contributions
VAR: contributor  contributors
VAR: contrivance  contrivances
VAR: contrive  contrives contrived contriving
VAR: control  controls
VAR: control-application  control-applications
VAR: control-point  control-points
VAR: control-system  control-systems
VAR: control-z  control-zs
VAR: controller  controllers controllor  controllors
VAR: convene  convenes
VAR: convenience  conveniences
VAR: convenient  convenients
VAR: convention  conventions
VAR: converge  converges converged converging
VAR: conversation  conversations
VAR: conversion  conversions
VAR: convert  converted converting converts
VAR: converter  converters
VAR: convey  conveyed conveying conveys
VAR: conveyor  conveyors
VAR: convict  convicted convicts convicting
VAR: conviction  convictions
VAR: convince  convinces convinced convincing
VAR: convolution  convolutions
VAR: convolve  convolves convolved convolving
VAR: cook  cooked cooking cooks
VAR: cookbook  cookbooks
VAR: cookie  cookies
VAR: cool  cooled cooling cools
VAR: cooper  coopers
VAR: cooperate  cooperates cooperated cooperating
VAR: coopt  coopted coopting coopts
VAR: coord  coords
VAR: coordinate  coordinates coordinating coordinated
VAR: coordinator  coordinators
VAR: cop cops
VAR: cop-out  cop-outs
VAR: cope  copes coped coping
VAR: copier  copiers
VAR: coprocess  coprocessing coprocessed
VAR: coprocessor  coprocessors
VAR: copt  copts
VAR: copy  copying copys
VAR: copyfile  copyfiles
VAR: copyleft  copylefted copylefts
VAR: copyright  copyrighted copyrighting copyrights
VAR: corbaservice  corbaservices
VAR: cord  cords
VAR: core  cores coring cored
VAR: cork  corks corked
VAR: corner  cornered corners cornering
VAR: cornerstone  cornerstones
VAR: coroutine  coroutines
VAR: corp  corps
VAR: corporation  corporations
VAR: corpse  corpses
VAR: correct  corrected correcting corrects
VAR: correction  corrections
VAR: correlate  correlates correlated correlating
VAR: correlation  correlations
VAR: correspond  corresponded corresponding corresponds
VAR: correspondence  correspondences
VAR: correspondent  correspondents
VAR: corridor  corridors
VAR: corrupt  corrupted corrupting corrupts
VAR: cosine  cosines
VAR: cosmetic  cosmetics
VAR: cosmo  cosmos
VAR: cost  costing costs
VAR: cot  cots
VAR: cottage  cottages
VAR: couch  couched couches
VAR: cough  coughed coughing coughs
VAR: counsel  counseled counseling counsels
VAR: counselor  counselors
VAR: count  counted counting counts
VAR: countable  countables
VAR: counter  countered countering counters
VAR: counterargument  counterarguments
VAR: counterclaim  counterclaims
VAR: counterpart  counterparts
VAR: couple  couples coupled
VAR: coupler  couplers
VAR: coupling  couplings
VAR: coupon  coupons
VAR: courier  couriers
VAR: course  courses
VAR: court  courting courts
VAR: courtroom  courtrooms
VAR: cousin  cousins
VAR: cover  covered covering covers
VAR: covert  coverts
VAR: cow  cows
VAR: cowboy  cowboys
VAR: coworker  coworkers
VAR: coyote  coyotes
VAR: cpu  cpus
VAR: crab  crabs
VAR: crack  cracked cracking cracks
VAR: cracker  crackers
VAR: craft  crafted crafting crafts
VAR: cram  crams crammed cramming
VAR: cramp  cramped cramps cramping
VAR: crank  cranked cranking cranks
VAR: crash  crashed crashing crashes
VAR: crash-test  crash-tested crash-tests
VAR: crate  crates crated crating
VAR: crave  craves craved craving
VAR: crawl  crawled crawling crawls
VAR: crawler  crawlers
VAR: cray  crays
VAR: crayon  crayons
VAR: crc  crcs
VAR: crcfile  crcfiles
VAR: create  creates created creating
VAR: creation  creations
VAR: creator  creators
VAR: creature  creatures
VAR: credential  credentialed credentials
VAR: credit  credited crediting credits
VAR: creek  creeks
VAR: creep  creeped creeping creeps
VAR: crest  crested crests cresting
VAR: crew  crews
VAR: crime  crimes
VAR: criminal  criminals
VAR: cringe  cringes cringed cringing
VAR: cripple  cripples crippled crippling
VAR: critic  critics
VAR: criticism  criticisms
VAR: criticize  criticizes
VAR: critique  critiques
VAR: critter  critters
VAR: croak  croaked
VAR: crook  crooks
VAR: crop  crops
VAR: cross  crossed crosses
VAR: cross-check  cross-checking
VAR: cross-compiler  cross-compilers
VAR: cross-develop  cross-developing
VAR: cross-dissolve  cross-dissolves
VAR: cross-host  cross-hosts
VAR: cross-product  cross-products
VAR: cross-reference  cross-references
VAR: cross-section  cross-sections
VAR: crossbar  crossbars
VAR: crosshair  crosshairs
VAR: crossing  crossings
VAR: crossroad  crossroads
VAR: crotchet  crotchets
VAR: crow  crowed crowing crows
VAR: crowd  crowded crowding crowds
VAR: crown  crowned crowning crowns
VAR: crt  crts
VAR: cruise  cruises cruised cruising
VAR: crumb  crumbs
VAR: crunch  crunched crunching crunches
VAR: cruncher  crunchers
VAR: crusade  crusades
VAR: crush  crushed crushing crushes
VAR: crustacean  crustaceans
VAR: cry  crying cried cries
VAR: cryptanalyst  cryptanalysts
VAR: crypto  cryptos
VAR: cryptogram  cryptograms
VAR: cryptographer  cryptographers
VAR: cryptologist  cryptologists
VAR: cryptosystem  cryptosystems
VAR: crystal  crystals
VAR: crystallize  crystallizes crystallized
VAR: csplitterwnd  csplitterwnds
VAR: ctask  ctasks
VAR: ctrlbreak  ctrlbreaking
VAR: ctype  ctypes
VAR: cub cubs
VAR: cubbyhole  cubbyholes
VAR: cube  cubes cubed
VAR: cubic  cubics
VAR: cubicle  cubicles
VAR: cucumber  cucumbers
VAR: cue  cues cuing cued
VAR: cuff  cuffs cuffed
VAR: cull  culled culling
VAR: culminate  culminates
VAR: culprit  culprits
VAR: cult  cults
VAR: culture  cultures cultured
VAR: cup  cups
VAR: cupboard  cupboards
VAR: cur  curs 
VAR: curb  curbing curbs
VAR: cure  cures cured curing
VAR: curl  curled curling curls
VAR: curmudgeon  curmudgeons
VAR: current  currents
VAR: curry  currying curried curries
VAR: cursor  cursors
VAR: cursormode  cursormodes
VAR: curtail  curtailed curtailing curtails
VAR: curtain  curtained curtaining curtains
VAR: curvature  curvatures
VAR: curve  curves curved curving
VAR: cushion  cushions
VAR: cusp  cusps
VAR: custom  customs
VAR: customer  customers
VAR: customization  customizations
VAR: customize  customizes customized customizing
VAR: cut  cuts
VAR: cutout  cutouts
VAR: cybernetic  cybernetics
VAR: cybertort  cybertorts
VAR: cycle  cycles cycled
VAR: cylinder  cylinders
VAR: cynic  cynics
VAR: d-tree  d-trees
VAR: dabbling  dabblings
VAR: daemon  daemons
VAR: dag  dags
VAR: dagvalue  dagvalues
VAR: dam  dams
VAR: damage  damages
VAR: damn  damned damning
VAR: damp  damped damping damps
VAR: damper  dampers
VAR: dance  dances danced dancing
VAR: dancer  dancers
VAR: danger  dangers
VAR: dangle  dangles
VAR: dare  dared daring dares
VAR: darken  darkened
VAR: darling  darlings
VAR: darn  darned
VAR: dart  darting darts darted
VAR: dash  dashed dashing dashes
VAR: data-communication  data-communications
VAR: data-model  data-modeling
VAR: data-network  data-networking
VAR: data-record  data-recording
VAR: data-stream  data-streaming
VAR: data-structure  data-structures
VAR: database  databases
VAR: database-build  database-building
VAR: datablade  datablades
VAR: databook  databooks
VAR: databyte  databytes
VAR: datafile  datafiles
VAR: dataglove  datagloves
VAR: datagram  datagrams
VAR: datalink  datalinks
VAR: dataset  datasets
VAR: datastore  datastores
VAR: datastream  datastreams
VAR: datatag  datatags
VAR: datatype  datatypes
VAR: datawindow  datawindows
VAR: date  dated dating dates
VAR: daughter  daughters
VAR: daughterboard  daughterboards
VAR: dawn  dawned dawning dawns
VAR: day  days
VAR: daydream  daydreaming
VAR: daylight  daylights
VAR: dazzle  dazzles dazzling dazzled
VAR: dba  dbas
VAR: dbms  dbmss
VAR: dbmsghandler  dbmsghandlers
VAR: dbobject  dbobjects
VAR: dboption  dboptions
VAR: dbtable  dbtables
VAR: dbyte  dbytes
VAR: de-allocation  de-allocations
VAR: de-assert  de-asserted de-asserts
VAR: de-register  de-registered de-registers
VAR: deactivate  deactivates
VAR: dead-end  dead-ends
VAR: deadline  deadlines
VAR: deadlock  deadlocked deadlocking deadlocks
VAR: deal  dealing deals dealt
VAR: dealer  dealers
VAR: deallocate  deallocates
VAR: deallocation  deallocations
VAR: deallocator  deallocators
VAR: dear  dears
VAR: deassert  deasserted
VAR: death  deaths
VAR: debate  debates
VAR: debit  debited debits
VAR: debt  debts
VAR: debug  debuging debugs debugging debugged
VAR: debuggee  debuggees
VAR: debugger  debuggers
VAR: debunk  debunking debunks
VAR: debut  debuted debuting debuts
VAR: decade  decades
VAR: decay  decaying decays decayed
VAR: decide  decides decided deciding
VAR: decimal  decimals
VAR: decimation  decimations
VAR: decipher  deciphered deciphering deciphers
VAR: decision  decisions
VAR: deck  decked decks
VAR: decl  decls
VAR: declaration  declarations
VAR: declarator  declarators
VAR: declare  declares
VAR: decline  declines
VAR: decode  decodes decoding decoded
VAR: decoder  decoders
VAR: decompile  decompiles decompiling decompiled
VAR: decompiler  decompilers
VAR: decompose  decomposes decomposed decomposing
VAR: decomposition  decompositions
VAR: decompress  decompressed decompressing
VAR: decompressor  decompressors
VAR: deconstruct  deconstructing deconstructed
VAR: decoration  decorations
VAR: decorator  decorators
VAR: decouple  decouples decoupled decoupling
VAR: decrease  decreases
VAR: decree  decrees
VAR: decrement  decremented decrementing decrements
VAR: decrypt  decrypted decrypting decrypts
VAR: decstation  decstations
VAR: dedicate  dedicates
VAR: deduce  deduces deduced deducing
VAR: deduct  deducting deducts deducted
VAR: deduction  deductions
VAR: deed  deeded deeds
VAR: deem  deemed deems
VAR: deep-pocket  deep-pocketed
VAR: def  defs
VAR: default  defaulted defaulting defaults
VAR: defeat  defeated defeating defeats
VAR: defect  defected defects defecting
VAR: defection  defections
VAR: defend  defended defending defends
VAR: defendant  defendants
VAR: defender  defenders
VAR: defense  defenses
VAR: defer  defers deferred deferring
VAR: define  defines defined defining
VAR: definition  definitions definiton  definitons defintion  defintions
VAR: deflate  deflates deflated deflating
VAR: deflect  deflected deflecting deflects
VAR: deflection  deflections
VAR: deform  deformed deforms deforming
VAR: deformation  deformations
VAR: defragment  defragmenting defragmented defragments
VAR: defraud  defrauding defrauded defrauds
VAR: defy  defying defied defies
VAR: degenerate  degenerates degenerated degenerating
VAR: degrade  degraded degrading degrades degrad
VAR: degradation  degradations
VAR: degree  degrees
VAR: deinitialize  deinitializes
VAR: deinstall  deinstalled deinstalling deinstalls
VAR: delay  delayed delaying delays
VAR: delay_loop  delay_loops
VAR: delegate  delegates
VAR: delete  deleteing deletes deleting deleted
VAR: deletion  deletions
VAR: deliberation  deliberations
VAR: deliberate deliberates deliberated deliberating
VAR: delight  delighted delighting delights
VAR: delimeter  delimeters
VAR: delimit  delimited delimiting delimits
VAR: delimiter  delimiters
VAR: delineate  delineates delineated delineating
VAR: delink  delinks
VAR: deliver  delivered delivering delivers
VAR: deliverable  deliverables
VAR: delta  deltas
VAR: delusion  delusions
VAR: delve  delves delved delving
VAR: demand  demanded demanding demands
VAR: demean  demeaned
VAR: demo  demoed demoing demos demo-ing
VAR: democrat  democrats
VAR: demodulate  demodulates demodulated demodulating
VAR: demographic  demographics
VAR: demolish  demolished demolishing demolishes
VAR: demon  demons
VAR: demonstrate  demonstrates demonstrated demonstrating
VAR: demonstration  demonstrations
VAR: demystify  demystifying
VAR: denial  denials
VAR: denomination  denominations
VAR: denominator  denominators
VAR: denote  denotes denoted denoting
VAR: dent  dented dents denting
VAR: dentist  dentists
VAR: denunciation  denunciations
VAR: deny  denying denys denied denies
VAR: depart  departed departing departs
VAR: department  departments
VAR: departure  departures
VAR: depend  depended depending depends
VAR: dependence  dependences
VAR: dependent  dependents
VAR: depict  depicted depicting depicts
VAR: depiction  depictions
VAR: deploy  deployed deploying deploys
VAR: deployment  deployments
VAR: deposit  deposited depositing deposits
VAR: deposition  depositions
VAR: depositor  depositors
VAR: deprecate  deprecates deprecated deprecating
VAR: depress  depressed depressing depresses
VAR: depth  depths
VAR: deque  deques
VAR: dequeue  dequeues dequeued
VAR: derail  derailed derailing derails
VAR: dereference  dereferences dereferenced dereferencing
VAR: deregister  deregistered deregistering deregisters
VAR: derivation  derivations
VAR: derivative  derivatives
VAR: derive  derived deriving derivs deriv derives
VAR: descend  descended descending descends
VAR: descendant  descendants
VAR: descendent  descendents
VAR: descender  descenders
VAR: describe  describes described describing
VAR: description  descriptions
VAR: descriptor  descriptors
VAR: deselect  deselected deselecting deselects
VAR: deserializer  deserializers
VAR: desert  deserted deserts deserting
VAR: deserve  deserves deserved deserving
VAR: design  designed designing designs
VAR: design-pattern  design-patterns
VAR: designate  designates designated designating
VAR: designation  designations
VAR: designer  designers
VAR: desire  desires desired  desiring
VAR: desk  desks
VAR: deskew  deskewing deskews
VAR: desktop  desktops
VAR: despair  despaired despairing despairs
VAR: destination  destinations
VAR: destroy  destroyed destroying destroys
VAR: destruct  destructed destructs destructing
VAR: destructor  destructors
VAR: detach  detached detaching detaches
VAR: detail  detailed detailing details
VAR: detect  detected detecting detects
VAR: detection  detections
VAR: detector  detectors
VAR: deteriorate  deteriorates deteriorated deteriorating
VAR: determinant  determinants
VAR: determination  determinations
VAR: determine  determined determining determin determines
VAR: detour  detoured detours
VAR: detract  detracted detracting detracts
VAR: deuce  deuces
VAR: develop  developed developing develops
VAR: developer  developers
VAR: development  developments
VAR: development-tool  development-tools
VAR: deviate  deviates deviated deviating
VAR: deviation  deviations
VAR: device  devices
VAR: device-interrupt  device-interrupts
VAR: devolve  devolves devolved devolving
VAR: devote  devotes devoted devoting
VAR: devotee  devotees
VAR: dhrystone  dhrystones
VAR: diabetic  diabetics
VAR: diagnose  diagnoses diagnosed diagnosing
VAR: diagnostic  diagnostics
VAR: diagonal  diagonals
VAR: diagram  diagramed diagraming diagrams diagrammed diagramming
VAR: dial  dialed dialing dials
VAR: dialect  dialects
VAR: dialer  dialers
VAR: dialog  dialogs
VAR: dialogmodule  dialogmodules
VAR: dialogue  dialogues
VAR: diameter  diameters
VAR: diamond  diamonds
VAR: dice  dices
VAR: dictate  dictates
VAR: dictum  dictums
VAR: die  died dies
VAR: die-hard  die-hards
VAR: diehard  diehards
VAR: diesel  diesels
VAR: diff  diffs
VAR: differ  differed differing differs
VAR: difference  differences
VAR: different-color  different-colored
VAR: differential  differentials
VAR: differentiate  differentiates differentiated differentiating
VAR: differentiation  differentiations
VAR: diffusion  diffusions
VAR: dig  digs dug digging
VAR: digest  digested digesting digests
VAR: digit  digits
VAR: digital-communication  digital-communications
VAR: digitization  digitizations
VAR: digitize  digitizes digitized digitizing
VAR: digitizer  digitizers
VAR: digraph  digraphs
VAR: dilemma  dilemmas
VAR: dilettante  dilettantes
VAR: dilute  dilutes diluted diluting
VAR: dim  dims dimmed dimming
VAR: dime  dimes
VAR: dimension  dimensioned dimensioning dimensions dimention  dimentioned
VAR: diminish  diminished diminishing
VAR: dine  dines  dining dined
VAR: ding  dinged dings
VAR: dinner  dinners
VAR: dinosaur  dinosaurs
VAR: diode  diodes
VAR: dip  dips dipping dipped
VAR: diphone  diphones
VAR: dir  dirs
VAR: direct  directed directing directs
VAR: direction  directions
VAR: directive  directives
VAR: director  directors
VAR: directory-service  directory-services
VAR: dirpanel  dirpanels
VAR: dirty  dirtying dirtied dirties
VAR: dirtyrectangle  dirtyrectangles
VAR: dirwindow  dirwindows
VAR: disable  disables disabling
VAR: disabled  disableds
VAR: disadvantage  disadvantages disadvantaged
VAR: disagree  disagrees
VAR: disallow  disallowed disallowing disallows
VAR: disambiguate  disambiguates disambiguated disambiguating
VAR: disappear  disappeared disappearing disappears
VAR: disappoint  disappointed disappointing disappoints
VAR: disappointment  disappointments
VAR: disapprove  disapproves disapproved disapproving
VAR: disarm  disarming disarmed disarms
VAR: disassemble  disassembles disassembled disassembling
VAR: disassembler  disassemblers
VAR: disaster  disasters
VAR: disc  discs
VAR: discard  discarded discarding discards
VAR: discern  discerned discerning discerns
VAR: discharge  discharges discharged discharging
VAR: disciple  disciples
VAR: discipline  disciplines disciplined
VAR: disclaim  disclaimed disclaims disclaiming
VAR: disclaimer  disclaimers
VAR: disconcert  disconcerting disconcerted disconcerts
VAR: disconnect  disconnected disconnecting disconnects
VAR: disconnection  disconnections
VAR: discontinue  discontinues discontinued discontinuing
VAR: discount  discounted discounting discounts
VAR: discourage  discourages discouraged discouraging
VAR: discover  discovered discovering discovers
VAR: discoverer  discoverers
VAR: discredit  discredited discredits discrediting
VAR: discrete  discretes
VAR: discrimination  discriminations
VAR: discriminator  discriminators
VAR: discuss  discussed discussing discusses
VAR: discussant  discussants
VAR: discussion  discussions
VAR: disdain  disdained disdains disdaining
VAR: disease  diseases
VAR: disguise  disguises disguised disguising
VAR: disgust  disgusted disgusting disgusts
VAR: dish  dished dishing
VAR: disjoint  disjointed disjoints disjointing
VAR: disk  disks
VAR: diskette  diskettes
VAR: disklabel  disklabels
VAR: dislike  dislikes disliked disliking
VAR: dismay  dismayed dismaying dismays
VAR: dismiss  dismissed dismissing dismisses
VAR: dismount  dismounted dismounts dismounting
VAR: disorder  disordered disorders
VAR: dispatch  dispatched dispatching dispatches
VAR: dispatcher  dispatchers
VAR: dispatchevent  dispatchevents
VAR: dispense  dispenses
VAR: dispid  dispids
VAR: dispinterface  dispinterfaces
VAR: displace  displaces displaced displacing
VAR: displacement  displacements
VAR: display  displayed displaying displays dislay  dislayed
VAR: displaydate  displaydates
VAR: displayitem  displayitems
VAR: displaylist  displaylisting
VAR: displayname  displaynames
VAR: displaywidth  displaywidths
VAR: displine  displines
VAR: dispose  disposes
VAR: dispute  disputes disputed disputing
VAR: disqualify  disqualifying disqualified disqualifies
VAR: disregard  disregarded disregarding disregards
VAR: disrupt  disrupted disrupting disrupts
VAR: disruption  disruptions
VAR: dissect  dissected dissecting dissects
VAR: dissent  dissenting dissented dissents
VAR: dissenter  dissenters
VAR: dissertation  dissertations
VAR: dissipate  dissipates dissipated dissipating
VAR: dissociate  dissociates dissociated dissociating
VAR: dissolve  dissolves dissolved dissolving
VAR: distance  distances distanced
VAR: distill  distilled distilling distills
VAR: distinction  distinctions
VAR: distinguish  distinguished distinguishing distinguishes
VAR: distort  distorted distorting distorts
VAR: distortion  distortions
VAR: distract  distracted distracting distracts
VAR: distraction  distractions
VAR: distress  distressed distressing distresses
VAR: distribute  distributes distributed distributing
VAR: distributed-system  distributed-systems
VAR: distribution  distributions
VAR: distributor  distributors
VAR: district  districts
VAR: distrust  distrusted distrusts
VAR: disturb  disturbed disturbing disturbs
VAR: disturbance  disturbances
VAR: ditch  ditched ditching ditches
VAR: dither  dithered dithering dithers
VAR: dittohead  dittoheads
VAR: dive  dives diving dived
VAR: diverge  diverges diverged diverging
VAR: diversion  diversions
VAR: divert  diverted diverting diverts
VAR: divide  divides divided dividing
VAR: dividend  dividends
VAR: divider  dividers
VAR: division  divisions
VAR: divisional  divisionals
VAR: divisor  divisors
VAR: dizzy  dizzying dizzied dizzies
VAR: dll  dlls
VAR: dma  dmas
VAR: do  does did
VAR: do-enddo  do-enddos
VAR: dobb  dobbs
VAR: dock  docked docking docks
VAR: docket  docketing docketed dockets
VAR: doctor  doctoring doctors
VAR: doctorate  doctorates
VAR: doctype  doctypes
VAR: doctrine  doctrines
VAR: document  documented documenting documents
VAR: documenter  documenters
VAR: dodge  dodges dodged dodging
VAR: dodo  dodos
VAR: dog  dogs
VAR: dog-ear  dog-eared
VAR: dogma  dogmas
VAR: doing  doings
VAR: doll  dolls
VAR: dollar  dollars
VAR: domain  domains
VAR: domicile  domiciles
VAR: dominate  dominates
VAR: dominion  dominions
VAR: donate  donates
VAR: donation  donations
VAR: dongle  dongles
VAR: donothing  donothings
VAR: donut  donuts
VAR: doom  doomed dooms dooming
VAR: door  doors
VAR: doorway  doorways
VAR: dorm  dorms
VAR: dos dosism  dosisms
VAR: dos-extender  dos-extenders
VAR: doscall  doscalls
VAR: doscroll  doscrolling
VAR: dose  doses dosed dosing
VAR: doss  dosss
VAR: dossier  dossiers
VAR: dote  doting dotes doted
VAR: double  doubles doubled
VAR: double-buffer  double-buffered double-buffering
VAR: double-check  double-checked double-checking
VAR: double-click  double-clicked double-clicking double-clicks
VAR: double-number  double-numbers
VAR: double-quote  double-quotes
VAR: double-word  double-words
VAR: doubler  doublers
VAR: doubleword  doublewords
VAR: doubling  doublings
VAR: doubt  doubted doubts doubting
VAR: doughnut  doughnuts
VAR: dovetail  dovetailed dovetails
VAR: down  downing downs downed
VAR: down-load  down-loaded down-loading down-loads
VAR: downcast  downcasts
VAR: download  downloaded downloading downloads
VAR: downloader  downloaders
VAR: downplay  downplayed downplays
VAR: downside  downsides
VAR: downsize  downsizes downsized downsizing
VAR: downturn  downturns
VAR: downward  downwards
VAR: doze  dozing dozed dozes
VAR: dozen  dozens
VAR: draft  drafted drafting drafts
VAR: drag  drags dragged dragging
VAR: drag-and-drop  drag-and-drops
VAR: dragon  dragons
VAR: drain  drained draining drains
VAR: dram  drams
VAR: drama  dramas
VAR: draw  draws
VAR: drawable  drawables
VAR: drawback  drawbacks
VAR: drawcircle  drawcircles
VAR: drawer  drawers
VAR: drawing  drawings
VAR: drawnobject  drawnobjects
VAR: drawobject  drawobjects
VAR: dread  dreaded dreading dreads
VAR: dream  dreamed dreaming dreams
VAR: dreg  dregs
VAR: dress  dressed dressing dresses
VAR: dri  dried
VAR: drift  drifted drifting drifts
VAR: drill  drilled drills
VAR: drilling  drillings
VAR: drink  drinking drinks
VAR: drinker  drinkers
VAR: drive  drives driving
VAR: driver  drivers
VAR: drivername  drivernames
VAR: droid  droids
VAR: drone  drones
VAR: drool  drooling
VAR: droop  drooping droops drooped
VAR: drop  drops
VAR: dropout  dropouts
VAR: dropping  droppings
VAR: drove  droves
VAR: drown  drowned drowning drowns
VAR: drudge  drudges
VAR: drug  drugs
VAR: drum  drums
VAR: dry  drying
VAR: dryer  dryers
VAR: dual  duals
VAR: dual-port  dual-ported
VAR: dub  dubs
VAR: duck  ducked ducking ducks
VAR: dud  duds
VAR: dude  dudes
VAR: due  dues
VAR: duke  dukes
VAR: dull  dulled dulling
VAR: dumb  dumbing dumbed
VAR: dump  dumped dumping dumps
VAR: dump_combo  dump_combos
VAR: dumpster  dumpstered
VAR: dungeon  dungeons
VAR: dup  duped duping dups
VAR: duplicate  duplicates duplicated duplicating
VAR: duplication  duplications
VAR: duplicator  duplicators
VAR: duration  durations
VAR: dust  dusted dusting dusts
VAR: dvorak  dvoraks
VAR: dw  dws
VAR: dwarf  dwarfed dwarfs
VAR: dwell  dwelled dwelling dwells
VAR: dword  dwords
VAR: dx4  dx4s
VAR: dx4/100  dx4/100s
VAR: dye  dyed dying dyes
VAR: dyna-link  dyna-linked dyna-linking
VAR: dynabook  dynabooks
VAR: dynalink  dynalinked dynalinking dynalinks
VAR: dynamic  dynamics
VAR: dynamic-link  dynamic-linking
VAR: dynamic-load  dynamic-loading
VAR: dynaset  dynasets
VAR: e-mail  e-mailed e-mailing e-mails
VAR: e-meme  e-memes
VAR: eagle  eagles
VAR: ear  ears
VAR: earmark  earmarked earmarks
VAR: earn  earned earns
VAR: earning earnings
VAR: earring  earrings
VAR: earthquake  earthquakes
VAR: ease  eases  eased easing
VAR: eat  eating eats ate
VAR: eater  eaters
VAR: eavesdropper  eavesdroppers
VAR: ebb  ebbs
VAR: eccentric  eccentrics
VAR: echo  echoed echoing echos
VAR: echonet  echonets
VAR: econometric  econometrics
VAR: economic  economics
VAR: economist  economists
VAR: edge  edges  edged edging
VAR: edifice  edifices
VAR: edison  edisons
VAR: edit  edited editing edits
VAR: edition  editions
VAR: edititem  edititems
VAR: editline  editlines
VAR: editor  editors
VAR: editorial  editorials
VAR: educate  educates
VAR: educator  educators
VAR: eek  eeked
VAR: eeprom  eeproms
VAR: effect  effected effecting effects
VAR: effort  efforts
VAR: eflag  eflags
VAR: ega  egas
VAR: egg  eggs egged egging
VAR: eggplant  eggplants
VAR: ego  egos
VAR: eigenvalue  eigenvalues
VAR: eigenvector  eigenvectors
VAR: eighter  eighters
VAR: einstein  einsteins
VAR: eject  ejected ejects ejecting
VAR: elaboration  elaborations
VAR: elaborator  elaborators
VAR: elapse  elapses elapsed elapsing
VAR: elbow  elbows
VAR: elder  elders
VAR: elect  elected electing elects
VAR: election  elections
VAR: elective  electives
VAR: electrician  electricians
VAR: electro-optic  electro-optics
VAR: electrode  electrodes
VAR: electron  electrons
VAR: electronic  electronics
VAR: electrostatic  electrostatics
VAR: element  elements
VAR: eletter  eletters
VAR: elevation  elevations
VAR: elevator  elevators
VAR: elicit  elicited elicits
VAR: eliminate  eliminates
VAR: elimination  eliminations
VAR: ellipse  ellipses
VAR: ellipsoid  ellipsoids
VAR: else  elses
VAR: em  ems
VAR: emanate  emanates
VAR: embargo  embargoed embargos
VAR: embark  embarked embarking embarks
VAR: embarrass  embarrassed embarrassing emabarrasses
VAR: embed  embeded embeds embedded embedding embeddings
VAR: embedded-system  embedded-systems
VAR: embellish  embellished embellishing
VAR: embodiment  embodiments
VAR: embody  embodying embodied embodies
VAR: embrace  embraces embraced
VAR: embryo  embryos
VAR: emerge  emerges emerged
VAR: emessage  emessages
VAR: emission  emissions
VAR: emit  emits emitted emitting
VAR: emitter  emitters
VAR: emoticon  emoticons
VAR: emotion  emotions
VAR: emphasize  emphasizes emphasized emphasizing
VAR: empire  empires
VAR: employ  employed employing employs
VAR: employee  employees
VAR: employer  employers
VAR: empower  empowered empowering empowers
VAR: empty  emptying emptyings
VAR: emptystr  emptystring
VAR: emulate  emulates emulated emulating
VAR: emulation  emulations
VAR: emulator  emulators
VAR: emulsion  emulsions
VAR: enable  enables enabled enabling enableds
VAR: enabler  enablers
VAR: enact  enacted enacting
VAR: enactment  enactments
VAR: encapsulate  encapsulates
VAR: encapsulation  encapsulations
VAR: encina  encinas
VAR: encipher  enciphered enciphering
VAR: enclose  encloses enclosed enclosing
VAR: enclosure  enclosures
VAR: encode  encodes encoded encoding encodings
VAR: encoder  encoders
VAR: encompass  encompassed encompassing encompasses
VAR: encounter  encountered encountering encounters
VAR: encourage  encourages encouraged encouraging
VAR: encrypt  encrypted encrypting encrypts
VAR: encryption  encryptions
VAR: encyclopedia  encyclopedias encyclopaedias
VAR: end  ended ends
VAR: end-point  end-points
VAR: end-system  end-systems
VAR: end-user  end-users
VAR: end_polygon  end_polygons
VAR: endanger  endangered endangering endangers
VAR: endeavor  endeavored endeavors
VAR: endgame  endgames
VAR: endian  endians
VAR: ending  endings
VAR: endofline  endoflines
VAR: endorse  endorses endorsed endorsing
VAR: endorsement  endorsements
VAR: endpoint  endpoints
VAR: endset  endsets
VAR: endure  endures endured enduring
VAR: enforce  enforces enforced enforcing
VAR: enforcer  enforcers
VAR: enfringe  enfringes enfringed enfringing
VAR: engage  engages
VAR: engender  engendered engenders
VAR: engine  engines
VAR: engineer  engineered engineering engineers
VAR: enhance  enhances enhanced enhancing
VAR: enhancement  enhancements
VAR: enhancer  enhancers
VAR: enjoin  enjoined enjoins
VAR: enjoy  enjoyed enjoying enjoys
VAR: enlarge  enlarges enlarged enlarging
VAR: enlighten  enlightened enlightening enlightens
VAR: enlist  enlisted enlisting enlists
VAR: enqueue  enqueueing enqueues
VAR: enregister  enregistered
VAR: enrich  enriched enriches
VAR: enroll  enrolled
VAR: enrollment  enrollments
VAR: ensemble  ensembles
VAR: ensue  ensues ensued ensuing
VAR: ensure  ensures
VAR: entail  entailed entails
VAR: enter  entered entering enters
VAR: enterprise  enterprises
VAR: entertain  entertained entertaining entertains
VAR: enthrall  enthralling enthralled
VAR: enthusiast  enthusiasts
VAR: entitle  entitles entitled entitling
VAR: entrail  entrails
VAR: entrant  entrants
VAR: entrench  entrenched
VAR: entrepreneur  entrepreneurs
VAR: entry  entrys entries
VAR: entry-level  entry-levels
VAR: entry-name  entry-names
VAR: enumerate  enumerates
VAR: enumeration  enumerations
VAR: enumerator  enumerators
VAR: envelope  envelopes
VAR: environment  environments
VAR: envision  envisioned envisioning envisions
VAR: enzyme  enzymes
VAR: eof  eofs
VAR: eot  eots
VAR: epilogue  epilogues
VAR: episode  episodes
VAR: epoch  epochs
VAR: eprom  eproms
VAR: epsilon  epsilons
VAR: equal  equaled equaling equals
VAR: equalizer  equalizers
VAR: equate  equates
VAR: equation  equations
VAR: equip  equips
VAR: equivalence  equivalences
VAR: equivalent  equivalents
VAR: era  eras
VAR: erase  erases  erased erasing
VAR: erasure  erasures
VAR: erect  erected erecting erects
VAR: ergonomic  ergonomics
VAR: err  erred errs
VAR: error  errored errors
VAR: error-check  error-checking
VAR: escalator  escalators
VAR: escape  escapes
VAR: eschew  eschewed eschewing eschews
VAR: escort  escorts
VAR: esd  esds
VAR: espouse  espouses
VAR: essay  essays essayed
VAR: essential  essentials
VAR: establish  established establishing establishes
VAR: establishment  establishments
VAR: estate  estates
VAR: esteem  esteemed esteems
VAR: esthetic  esthetics
VAR: estimate  estimates estimated estimating
VAR: estimation  estimations
VAR: etch  etched etching etches
VAR: ethernet  ethernets
VAR: ethic  ethics
VAR: euphemism  euphemisms
VAR: european  europeans
VAR: eval  evals
VAR: evaluate  evaluates
VAR: evaluation  evaluations
VAR: evaluator  evaluators
VAR: evangelist  evangelists
VAR: evangelization  evangelizations
VAR: evaporate  evaporates evaporated evaporating
VAR: even  evened evens
VAR: evening  evenings
VAR: event  events
VAR: event-dispatch  event-dispatching
VAR: eventcontext  eventcontexts
VAR: eventlistener  eventlisteners
VAR: eventuate  eventuates
VAR: everything  everythings
VAR: evil  evils
VAR: evince  evinces evinced evincing
VAR: evoke  evokes evoked evoking
VAR: evolution  evolutions
VAR: evolve  evolves evolving evolved
VAR: ex-smoker  ex-smokers
VAR: ex-student  ex-students
VAR: exacerbate  exacerbates exacerbated exacerbating
VAR: exact  exacted exacting exacts
VAR: exaggerate  exaggerates exaggerated exaggerating
VAR: exam  exams
VAR: examination  examinations
VAR: examine  examines examined examining
VAR: examiner  examiners
VAR: example  examples
VAR: exceed  exceeded exceeding exceeds
VAR: excel  excels excelled excelling
VAR: except  excepting excepted
VAR: exception  exceptions
VAR: excerpt  excerpted excerpts
VAR: exchange  exchanges exchanged exchanging exchang
VAR: excitation  excitations
VAR: excite  excites
VAR: exclude  excludes
VAR: exclusion  exclusions
VAR: exclusive-or  exclusive-ored exclusive-oring
VAR: excursion  excursions
VAR: excuse  excuses excused
VAR: exe  exes
VAR: exec  execing execs execed
VAR: executable  executables
VAR: execute  executes executed executing
VAR: execution  executions
VAR: executive  executives
VAR: executor  executors
VAR: exemplar  exemplars
VAR: exemplify  exemplifying
VAR: exempt  exempted exempting exempts
VAR: exemption  exemptions
VAR: exepack  exepacked exepacking
VAR: exercise  exercises exercised
VAR: exerciser  exercisers
VAR: exert  exerted exerting exerts
VAR: exhaust  exhausted exhausting exhausts
VAR: exhaustion  exhaustions
VAR: exhibit  exhibited exhibiting exhibits
VAR: exhibition  exhibitions
VAR: exhibitor  exhibitors
VAR: exist  existed existing exists
VAR: exit  exited exiting exits
VAR: expand  expanded expanding expands
VAR: expander  expanders
VAR: expanse  expanses
VAR: expansion  expansions
VAR: expect  expected expecting expects
VAR: expectation  expectations
VAR: expedient  expedients
VAR: expend  expended expending expends
VAR: expenditure  expenditures
VAR: expense  expenses
VAR: experience  experiences experienced experiencing
VAR: experiment  experimented experimenting experiments
VAR: experimenter  experimenters
VAR: expert  experts
VAR: expert-system  expert-systems
VAR: expiration  expirations
VAR: expire  expires expired expiring
VAR: explain  explained explaining explains
VAR: explanation  explanations
VAR: explication  explications
VAR: explode  explodes exploded exploding
VAR: exploit  exploited exploiting exploits
VAR: exploration  explorations
VAR: explore  explores exploring explored
VAR: explorer  explorers
VAR: explosion  explosions
VAR: explosive  explosives
VAR: expo  expos
VAR: exponent  exponents
VAR: exponential  exponentials
VAR: exponentiation  exponentiations
VAR: export  exported exporting exports
VAR: exporter  exporters
VAR: expose  exposes exposed exposing
VAR: exposition  expositions
VAR: exposure  exposures
VAR: exposé  exposés
VAR: expound  expounded expounding expounds
VAR: expr  exprs
VAR: express  expressed expressing expresses
VAR: expression  expressions
VAR: extend  extended extending extends
VAR: extender  extenders
VAR: extension  extensions
VAR: extent  extents
VAR: extern  externs
VAR: external  externals
VAR: external-module  external-modules
VAR: extinguish  extinguished extinguishing extinguishes
VAR: extoll  extolled
VAR: extra  extras
VAR: extract  extracted extracting extracts
VAR: extractfile  extractfiles
VAR: extraction  extractions
VAR: extractor  extractors
VAR: extrapolate  extrapolates extrapolated extrapolating
VAR: extrapolation  extrapolations
VAR: extreme  extremes
VAR: eye  eyeing eyes eyed
VAR: eyeball  eyeballing eyeballs
VAR: eyebrow  eyebrows
VAR: f-heap  f-heaps
VAR: fabric  fabrics
VAR: facade  facades
VAR: face  faces faced facing
VAR: facet  faceted faceting facets
VAR: facilitate  facilitates facilitated facilitating
VAR: fact  facts
VAR: faction  factions
VAR: factoid  factoids
VAR: factor  factored factoring factors
VAR: factorial  factorials
VAR: factorization  factorizations
VAR: fad  fads
VAR: fade  fades faded fading
VAR: fail  failed fails
VAR: failing  failings
VAR: failsafe  failsafes
VAR: failure  failures
VAR: fake  fakes faked faking
VAR: fall  falling falls fallen
VAR: fall-off  fall-offs
VAR: fallback  fallbacks
VAR: fallow  fallows
VAR: falter  faltering falters faltered
VAR: fan  fans
VAR: fanatic  fanatics
VAR: fancier  fanciers
VAR: fantasize  fantasizes fantasized fantasizing
VAR: fanzine  fanzines
VAR: faq  faqs
VAR: far  fars
VAR: fare  fares  faring fared
VAR: farjump  farjumps
VAR: farm  farmed farming farms
VAR: farmer  farmers
VAR: farproc  farprocs
VAR: fascinate  fascinates fascinated fascinating
VAR: fascist  fascists
VAR: fashion  fashioned fashioning fashions
VAR: fastforward  fastforwarded
VAR: fat  fats
VAR: father  fathers
VAR: fatten  fattening fattened fattens
VAR: faucet  faucets
VAR: fault  faulted faulting faults
VAR: favor  favored favoring favors
VAR: favorite  favorites
VAR: fawn  fawns
VAR: fax  faxed faxing faxes
VAR: fear  feared fearing fears
VAR: feast  feasting feasts feasted
VAR: feat  feats
VAR: feather  feathers
VAR: feature  features featured
VAR: fed  feds
VAR: fee  fees
VAR: feed  feeding feeds
VAR: feedback  feedbacks
VAR: feeder  feeders
VAR: feel  feels
VAR: feeling  feelings
VAR: fell  felled
VAR: fella  fellas
VAR: fellow  fellows
VAR: felt  felts
VAR: fence  fences fenced fencing
VAR: fender  fenders
VAR: fern  ferns
VAR: ferry  ferrying ferries ferried
VAR: festival  festivals
VAR: fetch  fetched fetching fetches
VAR: fewest-split  fewest-splits
VAR: fft  ffts
VAR: fiasco  fiascos
VAR: fiber  fibers
VAR: fiction  fictions
VAR: fiddle  fiddles fiddled fiddling
VAR: field  fielded fielding fields
VAR: fieldeditor  fieldeditors
VAR: fieldid  fieldids
VAR: fieldname  fieldnames
VAR: fieldnumber  fieldnumbers
VAR: fiend  fiends
VAR: fifo  fifos
VAR: fifth  fifths
VAR: fight  fighting fights fought
VAR: figure  figures figured
VAR: filament  filaments
VAR: file  files filed
VAR: filedialog  filedialogs
VAR: fileexist  fileexists
VAR: filemap  filemaps
VAR: filename  filenames
VAR: filer  filers
VAR: fileselect  fileselected
VAR: filespec  filespecs
VAR: filesystem  filesystems
VAR: filing  filings
VAR: fill  filled filling fills
VAR: film  filmed filming films
VAR: filter  filtered filtering filters
VAR: finalist  finalists
VAR: finalize  finalizes finalized
VAR: finance  finances
VAR: find  finds found
VAR: finder  finders
VAR: finding  findings
VAR: findkey  findkeys
VAR: findroot  findroots
VAR: fine  fines fined
VAR: fine-grain  fine-grained
VAR: finesse  finesses
VAR: finger  fingering fingers
VAR: fingerprint  fingerprinted fingerprints
VAR: fingertip  fingertips
VAR: finish  finished finishing
VAR: fir  fired firs
VAR: fire  fires
VAR: firewall  firewalls
VAR: firing  firings
VAR: firm  firmed firms
VAR: firstname  firstnames
VAR: fish  fished fishing fishes
VAR: fissure  fissures
VAR: fist  fists
VAR: fit  fits fitted
VAR: fitt   fitts
VAR: fitting  fittings
VAR: five  fives
VAR: fix  fixed fixing fixes
VAR: fix-up  fix-ups
VAR: fixation  fixations
VAR: fixture  fixtures
VAR: fixup  fixups
VAR: flack  flacks
VAR: flag  flags flagged flagging
VAR: flak  flaks
VAR: flake  flakes
VAR: flame  flames flamed flaming
VAR: flank  flanked flanking
VAR: flap  flaps flapped flapping
VAR: flash  flashed flashing flashes
VAR: flat  flats
VAR: flatten  flattened flattening flattens
VAR: flatter  flattered flattering
VAR: flavor  flavored flavors flavoring
VAR: flaw  flawed flaws
VAR: flea  fleas
VAR: flee  fleeing fled
VAR: fleet  fleets
VAR: fleetowner  fleetowners
VAR: flesh  fleshed fleshing fleshes
VAR: flex  flexing flexes flexed
VAR: flic  flics
VAR: flick  flicked flicking flicks
VAR: flicker  flickered flickering flickers
VAR: flight  flights
VAR: fling  flinging flings flung
VAR: flip  flips
VAR: float  floated floating floats
VAR: floating-point  floating-points
VAR: flock  flocking flocks
VAR: flood  flooded flooding floods
VAR: floodfill  floodfills
VAR: floor  floored floors
VAR: flop  flops flopped flopping
VAR: floptical  flopticals
VAR: floss  flossing flossed flosses
VAR: flourish  flourished flourishing flourishes
VAR: flow  flowed flowing flows
VAR: flowchart  flowcharted flowcharting flowcharts
VAR: flower  flowered flowering flowers
VAR: fluctuate  fluctuates fluctuated fluctuating
VAR: fluctuation  fluctuations
VAR: fluff  fluffed fluffs fluffing
VAR: fluid  fluids
VAR: flush  flushed flushing flushes
VAR: flute  flutes fluted
VAR: fly  flying flied flies flys
VAR: fly-by  fly-bys
VAR: flyer  flyers
VAR: focus  focused focusing focuses
VAR: foe  foes
VAR: foil  foiling foils foiled
VAR: foist  foisted foisting
VAR: fold  folded folding folds
VAR: folder  folders
VAR: folk  folks
VAR: follow  followed follows
VAR: follower  followers
VAR: following  followings
VAR: font  fonts
VAR: fontmetric  fontmetrics
VAR: fontsize  fontsizes
VAR: foo  foos
VAR: food  foods
VAR: fool  fooled fooling fools
VAR: foot  footed
VAR: footer  footers
VAR: foothill  foothills
VAR: footing  footings
VAR: footnote  footnotes footnoted
VAR: footprint  footprints
VAR: footstep  footsteps
VAR: foray  forays
VAR: forbid  forbids
VAR: force  forces forced forcing
VAR: force-feed  force-feeding
VAR: forecast  forecasted forecasting forecasts
VAR: forego  foregoing
VAR: foreground  foregrounds
VAR: foreignkey  foreignkeys
VAR: forerunner  forerunners
VAR: foresee  foreseeing
VAR: forest  forests
VAR: forestall  forestalled
VAR: foreword  forewords
VAR: forfeit  forfeited forfeits forfeiting
VAR: forge  forges forged forging
VAR: forget  forgeting forgets forgetting forgot
VAR: forgive  forgives
VAR: forgo  forgoing
VAR: fork  forked forking forks
VAR: for-loop for-loops
VAR: forloop  forloops
VAR: form  formed forming forms
VAR: formal  formals
VAR: formalism  formalisms
VAR: formalize  formalizes formalized
VAR: format  formated formating formats fomat  fomats
VAR: formation  formations
VAR: formatter  formatters
VAR: formfeed  formfeeds
VAR: formula  formulas
VAR: formulate  formulates formulated formulating
VAR: formulation  formulations
VAR: fort  forts
VAR: forte  fortes
VAR: forth  forths
VAR: fortran  fortrans
VAR: fortune  fortunes
VAR: forum  forums
VAR: forward  forwarded forwarding forwards
VAR: forwarder  forwarders
VAR: fossil  fossils
VAR: foster  fostered fostering fosters
VAR: foul  fouled fouling fouls
VAR: foundation  foundations
VAR: founder  foundered foundering founders
VAR: four-point  four-pointed
VAR: fprintf  fprintfs
VAR: fpu  fpus
VAR: fractal  fractals
VAR: fraction  fractions
VAR: fragment  fragmented fragmenting fragments
VAR: frame  framed framing frames
VAR: frame-relay  frame-relaying
VAR: framer  framers
VAR: framework  frameworks
VAR: framingblock  framingblocks
VAR: framingratio  framingratios
VAR: franciscan  franciscans
VAR: fread  freads
VAR: freak  freaked freaks
VAR: free  freeing frees freed
VAR: free-list  free-lists
VAR: freebie  freebies
VAR: freedom  freedoms
VAR: freeway  freeways
VAR: freeze  freezes frozen froze freezing
VAR: frequent  frequented
VAR: frequentist  frequentists
VAR: freshen  freshened
VAR: friday  fridays
VAR: friend  friends
VAR: friendship  friendships
VAR: frighten  frightened frightening frightens
VAR: frill  frills
VAR: fringe  fringes fringed
VAR: frisbee  frisbees
VAR: front  fronts
VAR: front-end  front-ended front-ending front-ends
VAR: frontend  frontending
VAR: frontier  frontiers
VAR: frost  frosted frosting
VAR: frown  frowned frowning frowns
VAR: fruit  fruits
VAR: frustrate  frustrates frustrated frustrating
VAR: frustration  frustrations
VAR: frustum  frustums
VAR: fry  frying fried fries
VAR: fseek  fseeks
VAR: fudge  fudges fudged fudging
VAR: fuel  fueled fueling fuels
VAR: fulfill  fulfilled fulfilling fulfills
VAR: fullslot  fullslots
VAR: function  functioned functioning functions funtion  funtions
VAR: function-call  function-calling
VAR: function-key  function-keys
VAR: functionkey  functionkeys
VAR: functor  functors
VAR: fund  funded funding funds
VAR: fundamental  fundamentals
VAR: fundamentalist  fundamentalists
VAR: funname  funnames
VAR: funnel  funneled funneling funnels
VAR: fup  fups
VAR: furnace  furnaces
VAR: furnish  furnished furnishing furnishes
VAR: further  furthering furthers furthered
VAR: fuse  fuses fused
VAR: fuss  fussed fussing
VAR: future  futures
VAR: futurist  futurists
VAR: futz  futzed futzing futzes
VAR: fuzz  fuzzed fuzzing fuzzes
VAR: fuzzian  fuzzians
VAR: gadget  gadgets
VAR: gag  gags gagged gagging
VAR: gaggle  gaggles
VAR: gain  gained gaining gains
VAR: gait  gaits
VAR: gall  galling galls galled
VAR: galley  galleys
VAR: gallon  gallons
VAR: gam gams
VAR: gambit  gambits
VAR: gambler  gamblers
VAR: game  games gaming gamed
VAR: gang  ganged
VAR: gap  gaping gaps
VAR: garage  garages
VAR: garbage-collect  garbage-collected garbage-collecting
VAR: garble  garbles garbled garbling
VAR: garden  gardening gardens
VAR: garment  garments
VAR: garner  garnered garners garnering
VAR: gasp  gasped gasping gasps
VAR: gate  gates gated gating
VAR: gateway  gateways
VAR: gather  gathered gathers
VAR: gathering  gatherings
VAR: gauge  gauges gauged gauging
VAR: gaussian  gaussians
VAR: gay  gays
VAR: gazillion  gazillions
VAR: gear  geared gearing gears
VAR: geek  geeks
VAR: gel  gels
VAR: gem  gems
VAR: gene  genes
VAR: general  generals
VAR: generalization  generalizations
VAR: generalize  generalizes generalized generalizing
VAR: generate  generates generated generating
VAR: generation  generations
VAR: generator  generators
VAR: generic  generics
VAR: genetic  genetics
VAR: geniac  geniacs
VAR: genome  genomes
VAR: genotype  genotypes
VAR: genre  genres
VAR: geologist  geologists
VAR: geometer  geometers
VAR: geophysicist  geophysicists
VAR: german  germans
VAR: gesture  gestures
VAR: gettable  gettables
VAR: getter  getters
VAR: ghost  ghosts
VAR: giant  giants
VAR: gibbon  gibbons
VAR: gif  gifs
VAR: gift  gifted gifts
VAR: gig  gigs
VAR: gigabit  gigabits
VAR: gigabit-network  gigabit-networking
VAR: gigabyte  gigabytes
VAR: gigaflops gigaflop
VAR: giggle  giggles
VAR: gild  gilded gilds gilding
VAR: gill  gills
VAR: gimmick  gimmicks
VAR: gird  girded girds girding
VAR: girder  girders
VAR: girl  girls
VAR: girlfriend  girlfriends
VAR: give  gives gave given givens
VAR: giveaway  giveaways
VAR: gizmo  gizmos
VAR: glance  glances
VAR: gland  glands
VAR: gleam  gleaming
VAR: glean  gleaned gleans
VAR: glide  glides gliding glided
VAR: glider  gliders
VAR: glimpse  glimpses
VAR: glitch  glitching
VAR: glob  globs globbing
VAR: global  globals
VAR: gloss  glossed glossing glosses
VAR: glove  gloves gloved
VAR: glow  glowed glowing glows
VAR: glue  glues glued gluing
VAR: glyph  glyphs
VAR: gnu  gnus
VAR: goad  goaded
VAR: goal  goals
VAR: gobble  gobbles
VAR: god  gods
VAR: godzillion  godzillions
VAR: going  goings
VAR: golden  goldens
VAR: gong  gonged gongs
VAR: good  goods
VAR: goodie  goodies
VAR: goof  goofed goofs
VAR: gopher  gophers
VAR: gorilla  gorillas
VAR: gosub  gosubs
VAR: gotcha  gotchas
VAR: goto  gotos
VAR: govern  governed governing governs
VAR: government  governments
VAR: governor  governors
VAR: gpfault  gpfaults
VAR: gprof  gprofed
VAR: grab  grabs
VAR: grabber  grabbers
VAR: grace  graces graced gracing
VAR: grad  grads
VAR: gradation  gradations
VAR: grade graded grading grades
VAR: grader  graders
VAR: gradient  gradients
VAR: graduate  graduates
VAR: graft  grafted grafting grafts
VAR: grail  grails
VAR: grain  grained grains
VAR: gram  grams
VAR: grammar  grammars
VAR: grammarchecker  grammarcheckers
VAR: grandfather  grandfathered
VAR: grandparent  grandparents
VAR: grant  granted granting grants
VAR: grape  grapes
VAR: graph  graphed graphing graphs
VAR: grapher  graphers
VAR: graphic  graphics
VAR: graphics-support  graphics-supporting
VAR: grapple  grapples grappled grappling
VAR: grasp  grasped grasping grasps
VAR: grass-root  grass-roots
VAR: grating  gratings
VAR: grave  graves
VAR: gray  grayed graying grays
VAR: grease  greases greased greasing
VAR: greater-than  greater-thans
VAR: greek  greeked greeking greeks
VAR: green  greens
VAR: greenhouse  greenhouses
VAR: greet  greeted greeting greets
VAR: gremlin  gremlins
VAR: grep  greps
VAR: grey  greys
VAR: grid  grids
VAR: grievance  grievances
VAR: grin  grins grinned grinning
VAR: grind  grinding grinds
VAR: grinder  grinders
VAR: grip  grips
VAR: gripe  gripes griped griping 
VAR: groan  groaning groans
VAR: ground  grounded grounding grounds
VAR: group  grouped groups
VAR: grouping  groupings
VAR: grove  groves
VAR: grow  growing grows grew
VAR: grumble  grumbles grumbled grumbling
VAR: grumbler  grumblers
VAR: grunt  grunts grunted grunting
VAR: guarantee  guaranteeing guarantees guaranteed
VAR: guard  guarded guarding guards
VAR: guardian  guardians
VAR: guerrilla  guerrillas
VAR: guess  guessed guessing guesses
VAR: guest  guests
VAR: gui  guis
VAR: guide  guides guided guiding 
VAR: guideline  guidelines
VAR: guise  guises
VAR: gulf  gulfs
VAR: gulp  gulped gulping gulps
VAR: gun  guns
VAR: gunk  gunking
VAR: gunsight  gunsights
VAR: guru  gurus
VAR: gust  gusting gusts gusted
VAR: gut  guts
VAR: guy  guys
VAR: gymnastic  gymnastics
VAR: gyration  gyrations
VAR: h-bomb  h-bombs
VAR: habit  habits
VAR: habitat  habitats
VAR: hack  hacked hacking hacks
VAR: hacker  hackers
VAR: hail  hailed hailing hails
VAR: hailstone  hailstones
VAR: hair  hairs
VAR: haircut  haircuts
VAR: hairline  hairlines
VAR: half halfs
VAR: halftone  halftones
VAR: halfword  halfwords
VAR: hall  halls
VAR: hallmark  hallmarks
VAR: hallucination  hallucinations
VAR: hallway  hallways
VAR: halo  haloed halos
VAR: halt  halted halting halts
VAR: halve  halves
VAR: ham  hams
VAR: hamburger  hamburgers
VAR: hamfest  hamfests
VAR: hammer  hammered hammering hammers
VAR: hamper  hampered hampering hampers
VAR: hand  handed handing hands
VAR: hand-optimization  hand-optimizations
VAR: hand-roll  hand-rolled
VAR: handbook  handbooks
VAR: handcraft  handcrafted handcrafting handcrafts
VAR: handful  handfuls
VAR: handgun  handguns
VAR: handheld  handhelds
VAR: handicap  handicaps
VAR: handle  handles handled
VAR: handlebar  handlebars
VAR: handler  handlers
VAR: handprint  handprinted handprinting handprints
VAR: handshake  handshakes
VAR: hang  hanging hangs hung
VAR: hanger  hangers
VAR: hangup  hangups
VAR: happen  happened happens
VAR: happening  happenings
VAR: harbor  harbored harboring harbors
VAR: hardcode  hardcodes
VAR: harden  hardened hardening hardens
VAR: hardship  hardships
VAR: hark  harks
VAR: harm  harmed harming harms
VAR: harmonic  harmonics
VAR: harness  harnessed
VAR: harp  harping harped harps
VAR: harumph  harumphed
VAR: harvest  harvested harvesting harvests
VAR: hash  hashed hashing hashes
VAR: hashfunction  hashfunctions
VAR: hashtable  hashtables
VAR: hassle  hassles hassled
VAR: hasten  hastened hastening
VAR: hat  hats
VAR: hatch  hatched hatching hatches
VAR: hate  hates hated hating 
VAR: haul  hauled hauling hauls
VAR: haunt  haunted haunting haunts
VAR: have  haves
VAR: haven  havens
VAR: hawk  hawked hawking hawks
VAR: hazard  hazards
VAR: head  headed heads
VAR: headache  headaches
VAR: header  headers
VAR: headertype  headertypes
VAR: headhunter  headhunters
VAR: heading  headings
VAR: headlight  headlights
VAR: headline  headlines
VAR: headphone  headphones
VAR: heap  heaped heaps
VAR: hear  hears heard
VAR: hearing  hearings
VAR: hearken  hearkens
VAR: heart  hearts
VAR: heartbreak  heartbreaks
VAR: heat  heated heating heats
VAR: heater  heaters
VAR: heaven  heavens
VAR: heavyweight  heavyweights
VAR: hebrew  hebrews
VAR: hedge  hedges hedged
VAR: heed  heeded
VAR: heel  heeled heels
VAR: height  heights
VAR: heighten  heightened
VAR: heir  heirs
VAR: helicopter  helicopters
VAR: helm  helms
VAR: helmet  helmets
VAR: help  helped helps
VAR: helper  helpers
VAR: helpfile  helpfiles
VAR: helping  helpings
VAR: helpline  helplines
VAR: hemisphere  hemispheres
VAR: her  hers
VAR: herald  heralded heralding
VAR: herd  herds
VAR: hermit  hermits
VAR: hero  heros heroes
VAR: heroic  heroics
VAR: hesitation  hesitations
VAR: heuristic  heuristics
VAR: hexadecimal  hexadecimals
VAR: hexagon  hexagons
VAR: hiccup  hiccuped hiccups
VAR: hide  hides hiding
VAR: high  highs
VAR: highland  highlands
VAR: highlight  highlighted highlighting highlights
VAR: highway  highways
VAR: hijack  hijacked hijacking hijacks
VAR: hike  hikes hiked hiking
VAR: hiker  hikers
VAR: hilite  hilites
VAR: hill  hills
VAR: hillary  hillarys
VAR: hinder  hindered hindering hinders
VAR: hindrance  hindrances
VAR: hinge  hinges hinged
VAR: hint  hinted hinting hints
VAR: hip  hips
VAR: hire  hires hired
VAR: hiring  hirings
VAR: hiss  hissing
VAR: histogram  histograms
VAR: historian  historians
VAR: hit  hits hitting
VAR: hitch  hitched hitching hitches
VAR: hitchhiker  hitchhikers
VAR: hoard  hoarding hoarded hoards
VAR: hobbyist  hobbyists
VAR: hoe  hoes
VAR: hog  hogs
VAR: hoist  hoisted hoisting hoists
VAR: hold  holds held
VAR: holder  holders
VAR: holding  holdings
VAR: holdout  holdouts
VAR: holdover  holdovers
VAR: holdup  holdups
VAR: hole  holes holed holing
VAR: holiday  holidays
VAR: holler  hollered hollering
VAR: home  homes homed
VAR: homebrew  homebrewed
VAR: homepage  homepages
VAR: homicide  homicides
VAR: honcho  honchos
VAR: honk  honked honking
VAR: honor  honored honoring honors
VAR: honorarium  honorariums
VAR: hood  hoods
VAR: hook  hooked hooking hooks
VAR: hookup  hookups
VAR: hoop  hoops
VAR: hooray  hoorays
VAR: hoot  hooted hooting hoots
VAR: hop  hops
VAR: hope  hopes hoped hoping 
VAR: hopper  hoppers
VAR: horde  hordes
VAR: horizon  horizons
VAR: horizontal  horizontals
VAR: horn  horned horns
VAR: horror  horrors
VAR: horse  horses horsing
VAR: hospital  hospitals
VAR: host  hosted hosting hosts
VAR: hotbed  hotbeds
VAR: hotel  hotels
VAR: hotkey  hotkeys
VAR: hotshot  hotshots
VAR: hotspot  hotspots
VAR: hotword  hotwords
VAR: hound  hounded
VAR: hour  hours
VAR: house  houses housed housing
VAR: household  households
VAR: hovel  hovels
VAR: hover  hovering hovers
VAR: how  hows
VAR: howl  howled howling howls
VAR: howto  howtos
VAR: hub  hubs
VAR: hue  hues hued
VAR: huge  huges
VAR: hull  hulls
VAR: human  humans
VAR: humble  humbles humbled
VAR: hump  humps humped
VAR: hundred  hundreded hundreds
VAR: hundredth  hundredths
VAR: hunk  hunks
VAR: hunt  hunted hunting hunts
VAR: hurdle  hurdles
VAR: hurl  hurled hurls
VAR: hurt  hurting hurts
VAR: husband  husbands
VAR: hush  hushed hushing hushes
VAR: hustler  hustlers
VAR: hybrid  hybrids
VAR: hyperbolic  hyperbolics
VAR: hypercard  hypercards
VAR: hypercube  hypercubes
VAR: hyperkey  hyperkeys
VAR: hyperlink  hyperlinked hyperlinks
VAR: hypersystem  hypersystems
VAR: hypertalk  hypertalking
VAR: hypertext  hypertexted hypertexting
VAR: hyphen  hyphens
VAR: hyphenation  hyphenations
VAR: hypotenuse  hypotenuses
VAR: i-frame  i-frames
VAR: i-node  i-nodes
VAR: i860  i860s
VAR: icbm  icbms
VAR: ice  ices
VAR: icon  iconed icons
VAR: iconize  iconizes
VAR: idea  ideas
VAR: ideal  ideals
VAR: identifer  identifers
VAR: identification  identifications
VAR: identifier  identifiers
VAR: identify  identifying identifies identified indentify  indentifying
VAR: identity  identitying identities
VAR: idiom  idioms
VAR: idiot  idiots
VAR: idl  idls
VAR: idle  idles idled idling 
VAR: if  ifs
VAR: if-then-else  if-then-elses
VAR: ifdef  ifdefed ifdefing ifdefs
VAR: ignore  ignores
VAR: ill  ills
VAR: illiac  illiacs
VAR: illiterate  illiterates
VAR: illuminate  illuminates illuminating
VAR: illusion  illusions
VAR: illustrate  illustrates illustrated illustrating
VAR: illustration  illustrations
VAR: image  images imaging
VAR: imagemap  imagemaps
VAR: imagination  imaginations
VAR: imagine  imagines
VAR: imagining  imaginings
VAR: imakefile  imakefiles
VAR: imbalance  imbalances
VAR: imitate  imitates imitated imitating
VAR: imitation  imitations
VAR: imitator  imitators
VAR: impact  impacted impacting impacts
VAR: impair  impaired impairs impairing
VAR: impairment  impairments
VAR: impart  imparted imparting imparts
VAR: impedance  impedances
VAR: impede  impedes impeded impeding
VAR: impediment  impediments
VAR: imperative  imperatives
VAR: imperfection  imperfections
VAR: imperil  imperiled imperils
VAR: impinge  impinges impinged
VAR: implant  implanted implanting implants
VAR: implement  implemented implementing implements implementating
VAR: implementation  implementations  implementat
VAR: implementer  implementers
VAR: implementor  implementors
VAR: implication  implications
VAR: implicit  implicits
VAR: imply  implying implied implies
VAR: imponderable  imponderables
VAR: import  imported importing imports
VAR: impose  imposes imposed imposing
VAR: impress  impressed impressing impresses
VAR: impression  impressions
VAR: imprint  imprinted imprinting imprints
VAR: improve  improves improved improving
VAR: improvement  improvements
VAR: impulse  impulses
VAR: inaction  inactions
VAR: inaugurate  inaugurates
VAR: incantation  incantations
VAR: incarnation  incarnations
VAR: incentive  incentives
VAR: incidence  incidences
VAR: incident  incidents
VAR: inclination  inclinations
VAR: include  includeing includes included including
VAR: inclusion  inclusions
VAR: incompetent  incompetents
VAR: inconvenience  inconveniences
VAR: incorporate  incorporates
VAR: increase  increases
VAR: increment  incremented incrementing increments
VAR: incubator  incubators
VAR: incumbent  incumbents
VAR: incur  incurs incurred incurring
VAR: indent  indented indenting indents
VAR: indentation  indentations
VAR: index  indexed indexing indexs indexes
VAR: indexer  indexers
VAR: indian  indians
VAR: indicate  indicates
VAR: indication  indications
VAR: indicator  indicators
VAR: indict  indicted indicts
VAR: indictment  indictments
VAR: indirect  indirecting indirects indirected
VAR: indirection  indirections
VAR: individual  individuals
VAR: individualist  individualists
VAR: indoor  indoors
VAR: induce  induces induced inducing
VAR: inducement  inducements
VAR: induct  inducted inducting inducts
VAR: indulge  indulges indulged indulging
VAR: infect  infected infects infecting
VAR: infer  infers inferred inferring
VAR: inference  inferences
VAR: inferno  infernos
VAR: inflect  inflected inflecting
VAR: inflict  inflicted inflicting inflicts
VAR: influence  influences influenced influencing
VAR: infomercial  infomercials
VAR: inform  informed informing informs
VAR: informant  informants
VAR: information-system  information-systems
VAR: infoseg  infosegs
VAR: infrastructure  infrastructures
VAR: infringe  infringes infringed
VAR: infringement  infringements
VAR: infringer  infringers
VAR: ingest  ingesting ingested ingests
VAR: ingredient  ingredients
VAR: inhabit  inhabited inhabiting inhabits
VAR: inherit  inherited inheriting inherits
VAR: inhibit  inhibited inhibiting inhibits
VAR: initial  initials
VAR: initialise  initialises
VAR: initialization  initializations
VAR: initialize  initializes intialize  intializes
VAR: initializer  initializers
VAR: initiate  initiates
VAR: initiative  initiatives
VAR: initiator  initiators
VAR: inject  injected injecting injects
VAR: injunction  injunctions
VAR: injure  injures
VAR: injustice  injustices
VAR: ink  inked inking
VAR: inkblot  inkblots
VAR: inkling  inklings
VAR: inline  inlines
VAR: innocent  innocents
VAR: innovation  innovations
VAR: innovator  innovators
VAR: input  inputing inputs inputted
VAR: inquire  inquires inquired inquiring
VAR: inroad  inroads
VAR: insect  insects
VAR: insert  inserted inserting inserts
VAR: insertion  insertions
VAR: inset  insets
VAR: inside  insides
VAR: insider  insiders
VAR: insight  insights
VAR: insinuate  insinuates insinuating
VAR: insist  insisted insisting insists
VAR: inspect  inspected inspecting inspects
VAR: inspection  inspections
VAR: inspector  inspectors
VAR: inspiration  inspirations
VAR: inspire  inspires inspiring
VAR: install  installed installing installs
VAR: installation  installations
VAR: installer  installers
VAR: installment  installments
VAR: instance  instances
VAR: instant  instants
VAR: instantiate  instantiates instantiating instantiated
VAR: instantiation  instantiations
VAR: instill  instills
VAR: instinct  instincts
VAR: institute  institutes instituted instituting
VAR: institution  institutions
VAR: instruct  instructed instructing instructs
VAR: instruction  instructions
VAR: instructor  instructors
VAR: instrument  instrumented instrumenting instruments
VAR: insulate  insulates insulated insulating
VAR: insult  insulted insulting insults
VAR: insure  insures insured insuring
VAR: int  ints
VAR: intangible  intangibles
VAR: integer  integers
VAR: integral  integrals
VAR: integrate  integrates integrated integrating
VAR: integration  integrations
VAR: integrator  integrators
VAR: intellect  intellects
VAR: intend  intended intending intends
VAR: intensive  intensives
VAR: intent  intents
VAR: intention  intentions
VAR: interact  interacted interacting interacts
VAR: interaction  interactions
VAR: interactor  interactors
VAR: intercede  intercedes interceding
VAR: intercept  intercepted intercepting intercepts
VAR: interception  interceptions
VAR: interceptor  interceptors
VAR: interchange  interchanges interchanged interchanging
VAR: interconnect  interconnected interconnecting interconnects
VAR: interconnection  interconnections
VAR: interest  interested interesting interests
VAR: interface  interfaces interfaced interfacing
VAR: interfere  interferes
VAR: interference  interferences
VAR: interior  interiors
VAR: interleave  interleaves interleaved interleaving
VAR: interlink  interlinked interlinking
VAR: interlock  interlocked interlocking interlocks
VAR: interloper  interlopers
VAR: intermediate  intermediates
VAR: intermetric  intermetrics
VAR: intermix  intermixed intermixing intermixes
VAR: intern  interned interning interns
VAR: internal  internals
VAR: internalize  internalizes internalized
VAR: internet  internets
VAR: internetwork  internetworked internetworking internetworks
VAR: interoperate  interoperates
VAR: interpolant  interpolants
VAR: interpolate  interpolates interpolated interpolating
VAR: interpolation  interpolations
VAR: interpret  interpreted interpreting interprets
VAR: interpretation  interpretations
VAR: interpreter  interpreters
VAR: interrelation  interrelations
VAR: interrelationship  interrelationships
VAR: interrogate  interrogates interrogated interrogating
VAR: interrupt  interrupted interrupting interrupts interupt  interupted interupts
VAR: interruption  interruptions
VAR: intersect  intersected intersecting intersects
VAR: intersection  intersections
VAR: intersperse  intersperses interspersed interspersing
VAR: intersystem  intersystems
VAR: interval  intervals
VAR: intervene  intervenes intervened intervening
VAR: intervention  interventions
VAR: interview  interviewed interviewing interviews
VAR: interviewee  interviewees
VAR: interviewer  interviewers
VAR: intranet  intranets
VAR: intrigue  intrigues
VAR: intrinsic  intrinsics
VAR: introduce  introduces introduced introducing
VAR: introduction  introductions
VAR: introspect  introspecting
VAR: intrude  intrudes intruded intruding
VAR: intruder  intruders
VAR: intrusion  intrusions
VAR: intuition  intuitions
VAR: invade  invades invaded invading
VAR: invader  invaders
VAR: invalidate  invalidates invalidated invalidating
VAR: invariant  invariants
VAR: invasion  invasions
VAR: invent  invented inventing invents
VAR: invention  inventions
VAR: inventor  inventors
VAR: inverse  inverses
VAR: inversion  inversions
VAR: invert  inverted inverting inverts
VAR: inverter  inverters
VAR: invest  invested investing invests
VAR: investigate  investigates investigated investigating
VAR: investigation  investigations
VAR: investigator  investigators
VAR: investment  investments
VAR: investor  investors
VAR: invitation  invitations
VAR: invite  invites invited inviting
VAR: invocation  invocations
VAR: invoice  invoices invoiced invoicing
VAR: invoke  invokes invoked invoking
VAR: involve  involves
VAR: inward  inwards
VAR: iostream  iostreams
VAR: iou  ious
VAR: iranian  iranians
VAR: irk  irks irked
VAR: iron  ironed ironing irons
VAR: ironside  ironsides
VAR: irq  irqs
VAR: irritant  irritants
VAR: irritation  irritations
VAR: island  islands
VAR: isle  isles
VAR: isolate  isolates
VAR: isr  isrs
VAR: israeli  israelis
VAR: issue  issues issued issuing
VAR: isv  isvs
VAR: italian  italians
VAR: italic  italics
VAR: itch  itching
VAR: item  items
VAR: iter  iters
VAR: iterate  iterates iterated iterating
VAR: iteration  iterations
VAR: iterator  iterators
VAR: jacket  jackets
VAR: jail  jailed jailing jails
VAR: jam  jams jammed jamming
VAR: jar  jars jarred
VAR: java  javas
VAR: javabean  javabeans
VAR: javachip  javachips
VAR: jaw  jaws
VAR: jaybird  jaybirds
VAR: jean  jeans
VAR: jeopardize  jeopardizes
VAR: jerk  jerked jerking jerks
VAR: jet  jets jetted
VAR: jettison  jettisoned jettisoning
VAR: jewel  jewels jeweled
VAR: jit  jits
VAR: jitter  jitters
VAR: jmp  jmped jmping
VAR: job  jobs jobbed
VAR: jockey  jockeying jockeys jockeyed
VAR: join  joined joining joins
VAR: joint  jointed joints
VAR: joke  jokes joked joking
VAR: jot  jots jotted jotting
VAR: journal  journaling journals journaled journalled
VAR: journalist  journalists
VAR: journey  journeys
VAR: joy  joys
VAR: joystick  joysticks
VAR: judge  judges judged judging
VAR: judgment  judgments
VAR: juggle  juggles juggled juggling
VAR: juice  juices juiced
VAR: jumble  jumbles jumbled jumbling
VAR: jump  jumped jumping jumps
VAR: jumper  jumpers
VAR: junction  junctions
VAR: junk  junked junking junks
VAR: junkie  junkies
VAR: junkyard  junkyards
VAR: jurisdiction  jurisdictions
VAR: juror  jurors
VAR: justice  justices
VAR: justification  justifications
VAR: justify  justifying justified justifies
VAR: keep  keeping keeps kept
VAR: keeper  keepers
VAR: ken  kens
VAR: kennel  kennels
VAR: kermit  kermits
VAR: kern  kerning kerns
VAR: kernel  kernels
VAR: key  keyed keying keys
VAR: keyboard  keyboarding keyboards keyboarded
VAR: keycode  keycodes
VAR: keyframe  keyframes
VAR: keynote  keynotes
VAR: keynoter  keynoters
VAR: keypad  keypads
VAR: keypress  keypressed
VAR: keyset  keysets
VAR: keystone  keystones
VAR: keystroke  keystrokes
VAR: keyword  keywords
VAR: kibitzer  kibitzers
VAR: kick  kicked kicking kicks
VAR: kid  kids kidding kidded
VAR: kill  killed killing kills
VAR: killer  killers
VAR: kilobyte  kilobytes
VAR: kilometer  kilometers
VAR: kind  kinds
VAR: kinetic  kinetics
VAR: king  kings
VAR: kingdom  kingdoms
VAR: kingpin  kingpins
VAR: kiosk  kiosks
VAR: kiss  kissing kisses kissed
VAR: kit  kits
VAR: kitchen  kitchens
VAR: kite  kites
VAR: kitten  kittens
VAR: kludge  kludges kludged kludging
VAR: knapsack  knapsacks
VAR: knee  knees
VAR: knife  knifes knifed knifing
VAR: knight  knights knighted
VAR: knob  knobs
VAR: knock  knocked knocking knocks
VAR: knockoff  knockoffs
VAR: knot  knots knotted knotting
VAR: know  knowing knows knew
VAR: knuckle  knuckles
VAR: korean  koreans
VAR: lab  labs
VAR: label  labeled labeling labels
VAR: labor  laboring labors
VAR: laborer  laborers
VAR: lack  lacked lacking lacks
VAR: ladder  ladders
VAR: lag  lags
VAR: lake  lakes
VAR: lamb  lambs
VAR: lament  lamented lamenting laments
VAR: lamp  lamps
VAR: lan  lans
VAR: land  landed lands
VAR: landfill  landfills
VAR: landform  landforms
VAR: landing  landings
VAR: landowner  landowners
VAR: landscape  landscapes
VAR: lane  lanes
VAR: language  languages
VAR: languish  languished languishing languishes
VAR: lap  laps
VAR: lapse  lapses lapsed lapsing
VAR: laptop  laptops
VAR: laser  lasers
VAR: laserjet  laserjets
VAR: lash  lashed lashes
VAR: last  lasted lasting lasts
VAR: lastbyte  lastbytes
VAR: latch  latched latching
VAR: latecomer  latecomers
VAR: latitude  latitudes
VAR: lattice  lattices
VAR: laud  lauded lauding
VAR: laugh  laughed laughing laughs
VAR: launch  launched launching launchs
VAR: launcher  launchers
VAR: laureate  laureates
VAR: laurel  laurels
VAR: law  laws
VAR: lawn  lawns
VAR: lawsuit  lawsuits
VAR: lawyer  lawyers
VAR: lay  laying lays
VAR: layer  layered layers
VAR: layout  layouts
VAR: lead  leads
VAR: leader  leaders
VAR: leaf  leafing
VAR: league  leagues
VAR: leak  leaked leaking leaks
VAR: lean  leaned leans
VAR: leaning  leanings
VAR: leap  leaped leaping leaps
VAR: leapfrog  leapfrogs
VAR: learn  learned learns
VAR: learner  learners
VAR: lease  leases
VAR: leather  leathers
VAR: leave  leaves
VAR: lecture  lectures lectured lecturing
VAR: lecturer  lecturers
VAR: led  leds
VAR: ledger  ledgers ledgered
VAR: left  lefts
VAR: leftie  lefties
VAR: leftover  leftovers
VAR: leg  legs
VAR: legend  legends
VAR: legion  legions
VAR: legislator  legislators
VAR: legislature  legislatures
VAR: lego  legos
VAR: lend  lending lends
VAR: length  lengths
VAR: lengthen  lengthened lengthening lengthens
VAR: leopard  leopards
VAR: lessen  lessened lessening
VAR: lesson  lessons
VAR: let  lets
VAR: letter  lettered lettering letters
VAR: level  leveled leveling levels levelled levelling
VAR: lever  levering levers
VAR: leverage  leverages
VAR: levy  levying levied levies
VAR: lex  lexing
VAR: lexeme  lexemes
VAR: lexer  lexers
VAR: liar  liars
VAR: lib  libs
VAR: libel  libeled
VAR: liberate  liberates liberated
VAR: libertarian  libertarians
VAR: librarian  librarians
VAR: license  licenses licensed
VAR: licensee  licensees
VAR: lichen  lichens
VAR: lick  licked licks
VAR: lid  lids
VAR: lie  lies
VAR: lieutenant  lieutenants
VAR: lifeboat  lifeboats
VAR: lifeform  lifeforms
VAR: lifestream  lifestreams
VAR: lifestyle  lifestyles
VAR: lifetime  lifetimes
VAR: lift  lifted lifts
VAR: ligature  ligatures
VAR: light  lighted lights
VAR: lighten  lightened lightening
VAR: like  likes
VAR: likelihood  likelihoods
VAR: liken  likened
VAR: limit  limited limiting limits
VAR: limitation  limitations
VAR: limp  limping limped limps
VAR: line  lines lined lining
VAR: linechart  linecharts
VAR: linedraw  linedrawing
VAR: linefeed  linefeeds
VAR: linger  lingers
VAR: linguist  linguists
VAR: linguistic  linguistics
VAR: link  linked links
VAR: linkage  linkages
VAR: linkdll  linkdlls
VAR: linked-list  linked-lists
VAR: linker  linkers
VAR: lint  linting
VAR: lion  lions
VAR: lip  lips
VAR: lip-sync  lip-synced
VAR: liquidator  liquidators
VAR: liquor  liquors
VAR: lisp  lisped lisps
VAR: list  listed lists
VAR: listen  listened listening listens
VAR: listener  listeners
VAR: lister  listers
VAR: listfile  listfiles
VAR: listing  listings
VAR: listnode  listnodes
VAR: literal  literals
VAR: litigant  litigants
VAR: litigation  litigations
VAR: litter  littered littering
VAR: little-endian  little-endians
VAR: live  lives lived
VAR: livelihood  livelihoods
VAR: liver  livers
VAR: living  livings
VAR: load  loaded loading loads
VAR: loadbitmap  loadbitmaps
VAR: loader  loaders
VAR: loadfile  loadfiles
VAR: loadresource  loadresources
VAR: loan  loaned loans
VAR: loath  loathing
VAR: lobbyist  lobbyists
VAR: lobe  lobes
VAR: local  locals
VAR: locale  locales
VAR: localize  localizes localized localizing
VAR: locallib  locallibs
VAR: locate  locates located
VAR: location  locations
VAR: locator  locators
VAR: lock  locked locking locks
VAR: lockup  lockups
VAR: locomotive  locomotives
VAR: lodge  lodges lodged lodging
VAR: log  logs logged
VAR: logarithm  logarithms
VAR: logger  loggers
VAR: logic  logics
VAR: logical  logicals
VAR: logician  logicians
VAR: login  logins
VAR: logistic  logistics
VAR: logo  logos
VAR: loner  loners
VAR: long  longed longs
VAR: longitude  longitudes
VAR: longword  longwords
VAR: look  looked looking looks
VAR: lookout  lookouts
VAR: lookup  lookups
VAR: loom  loomed looming looms
VAR: loop  looped looping loops
VAR: loophole  loopholes
VAR: loosen  loosened loosening
VAR: loot  looting
VAR: lord  lording
VAR: lose  loses losing
VAR: loser  losers
VAR: loss-leader  loss-leaders
VAR: lot  lots
VAR: loudspeaker  loudspeakers
VAR: love  loves loved
VAR: lover  lovers
VAR: low  lows
VAR: low-power  low-powered
VAR: low-resolution  low-resolutions
VAR: lower  lowered lowering lowers
VAR: luck  lucked
VAR: luddite  luddites
VAR: lull  lulled lulls
VAR: lump  lumped lumping lumps
VAR: lung  lungs
VAR: lure  lures lured
VAR: lurk  lurked lurking lurks
VAR: lust  lusted
VAR: lynch  lynching
VAR: lyon  lyons
VAR: lyric  lyrics
VAR: mac  macs
VAR: machine  machines
VAR: macho  machos
VAR: macro  macros
VAR: macro-assembler  macro-assemblers
VAR: macroscript  macroscripts
VAR: madden  maddening maddened
VAR: magazine  magazines
VAR: magician  magicians
VAR: magnet  magnets
VAR: magnetic  magnetics
VAR: magnification  magnifications
VAR: magnify  magnifying magnified magnifies
VAR: magnitude  magnitudes
VAR: mail  mailed mails
VAR: mailer  mailers
VAR: mailing  mailings
VAR: mailslot  mailslots
VAR: main  mains
VAR: mainframe  mainframes
VAR: mainframer  mainframers
VAR: mainstream  mainstreaming mainstreams
VAR: maintain  maintained maintaining maintains
VAR: maintainer  maintainers
VAR: major  majored majoring majors
VAR: make  makes made
VAR: makefile  makefiles
VAR: maker  makers
VAR: making  makings
VAR: male  males
VAR: malfunction  malfunctioned malfunctioning malfunctions
VAR: malign  maligned
VAR: mall  malls
VAR: mallet  mallets
VAR: malloc  malloced mallocing mallocs
VAR: mammal  mammals
VAR: man  manned manning
VAR: manage  manages
VAR: manager  managers
VAR: mandarin  mandarins
VAR: mandate  mandates
VAR: mandelbrot  mandelbrots
VAR: maneuver  maneuvering maneuvers
VAR: mangle  mangles mangled mangling
VAR: manifest  manifested manifests
VAR: manifestation  manifestations
VAR: manifesto  manifestos
VAR: manipulate  manipulates manipulated manipulating
VAR: manipulation  manipulations
VAR: manipulator  manipulators
VAR: manner  mannered manners
VAR: mantissa  mantissas
VAR: manual  manuals
VAR: manufacture  manufactures
VAR: manufacturer  manufacturers
VAR: manuscript  manuscripts
VAR: map  maps mapped
VAR: mapper  mappers
VAR: mapping  mappings
VAR: marble  marbles marbled
VAR: march  marched marching
VAR: margin  margins
VAR: marina  marinas
VAR: mariner  mariners
VAR: maritime  maritimes
VAR: maritimer  maritimers
VAR: mark  marked marks
VAR: marker  markers
VAR: market  marketed marketing markets
VAR: marketeer  marketeers
VAR: marketer  marketers
VAR: marketplace  marketplaces
VAR: marking  markings
VAR: markup  markups
VAR: marriage  marriages
VAR: marry  marrying married marries
VAR: marshal  marshaled marshaling marshals
VAR: marshall  marshalls
VAR: martian  martians
VAR: martini  martinis
VAR: marvel  marveled marveling marvels
VAR: mash  mashed mashing
VAR: mask  masked masking masks
VAR: mason  masons
VAR: masquerade  masquerades masqueraded
VAR: mass  masses massed
VAR: mass-market  mass-marketed
VAR: massage  massages massaged
VAR: master  mastered mastering masters
VAR: masterpiece  masterpieces
VAR: mat  mats
VAR: match  matched matching
VAR: mate  mates mated mating 
VAR: material  materials
VAR: materialize  materializes materialized materializing
VAR: math  maths
VAR: mathematics mathematic
VAR: mathematician  mathematicians
VAR: matte  mattes
VAR: matter  mattered matters
VAR: mature  matures
VAR: maven  mavens
VAR: max  maxed maxs maxes
VAR: maxerror  maxerrors
VAR: maxim  maxims
VAR: maximize  maximizes maximized maximizing
VAR: maximum  maximums
VAR: may-constraint  may-constraints
VAR: maze  mazes
VAR: mbyte  mbytes
VAR: me-too  me-toos
VAR: meadow  meadows
VAR: meal  meals
VAR: mean  meant
VAR: meander  meanders
VAR: meaning  meanings
VAR: measure  measures measured
VAR: measurement  measurements
VAR: meat  meats
VAR: meatball  meatballs
VAR: mecca  meccas
VAR: mechanic  mechanics
VAR: mechanism  mechanisms
VAR: mechanization  mechanizations
VAR: mechanize  mechanizes mechanized
VAR: medal  medals
VAR: media-handler  media-handlers
VAR: median  medians
VAR: mediant  mediants
VAR: mediaprocessor  mediaprocessors
VAR: mediate  mediates mediated
VAR: medium  mediums
VAR: medium-grain  medium-grained
VAR: meet  meets met
VAR: meeting  meetings
VAR: meg  megs
VAR: megabit  megabits
VAR: megabyte  megabytes
VAR: megalanguage  megalanguages
VAR: megamodule  megamodules
VAR: megapixel  megapixels
VAR: megaprogram  megaprograms
VAR: megatrend  megatrends
VAR: megawatt  megawatts
VAR: meld  melded
VAR: melt  melted melting melts
VAR: member  members
VAR: meme  memes
VAR: memento  mementos
VAR: memo  memos
VAR: memoir  memoirs
VAR: memset  memsets
VAR: menagerie  menageries
VAR: mention  mentioned mentioning mentions
VAR: mentor  mentors
VAR: menu  menuing menus
VAR: menubar  menubars
VAR: merchant  merchants
VAR: merge  merges
VAR: merger  mergers
VAR: merit  merited merits
VAR: mesh  meshed meshs
VAR: mess  messed messing
VAR: message  messages
VAR: messenger  messengers
VAR: metacode  metacodes
VAR: metacommand  metacommands
VAR: metaevent  metaevents
VAR: metafile  metafiles
VAR: metal  metals
VAR: metaobject  metaobjects
VAR: metaphor  metaphors
VAR: metaprogram  metaprograms
VAR: metarecord  metarecords
VAR: metatag  metatags
VAR: mete  meting metes meted
VAR: meter  metered metering meters
VAR: method  methods
VAR: methodologist  methodologists
VAR: metric  metrics
VAR: metronome  metronomes
VAR: microarchitecture  microarchitectures
VAR: microchip  microchips
VAR: microcode  microcodes
VAR: microcomputer  microcomputers
VAR: microcontroller  microcontrollers
VAR: microelectronic  microelectronics
VAR: microfilm  microfilms
VAR: microinstruction  microinstructions
VAR: microkernel  microkernels
VAR: micron  microns
VAR: microphone  microphones
VAR: microprocessor  microprocessors
VAR: microsec  microsecs
VAR: microsecond  microseconds
VAR: microship  microships
VAR: microsoft  microsofts microsoftian  microsoftians
VAR: microtag  microtags
VAR: microwave  microwaves
VAR: microword  microwords
VAR: midpoint  midpoints
VAR: midstream  midstreams
VAR: migrate  migrates
VAR: migration  migrations
VAR: mile  miles
VAR: milestone  milestones
VAR: milk  milking
VAR: mill  milled milling mills
VAR: miller  millers
VAR: milli  millis
VAR: millimeter  millimeters
VAR: million  millions
VAR: millionaire  millionaires
VAR: millionth  millionths
VAR: millisec  millisecs
VAR: millisecond  milliseconds
VAR: mimic  mimics
VAR: mince  minces minced
VAR: mind  minded minding minds
VAR: mindset  mindsets
VAR: mine  mines mined mining
VAR: minefield  minefields
VAR: mineral  minerals
VAR: mini  minis
VAR: miniature  miniatures
VAR: minicam  minicams
VAR: minicartridge  minicartridges
VAR: minicomputer  minicomputers
VAR: minidriver  minidrivers
VAR: minilanguage  minilanguages
VAR: minimize  minimizes
VAR: minimum  minimums
VAR: minion  minions
VAR: miniprogram  miniprograms
VAR: minor  minors
VAR: mint  mints
VAR: minus  minused
VAR: minute  minutes
VAR: miracle  miracles
VAR: mire  mired mires
VAR: mirror  mirrored mirroring mirrors
VAR: misadventure  misadventures
VAR: misbehave  misbehaves
VAR: misclassification  misclassifications
VAR: misconception  misconceptions
VAR: misinterpret  misinterpreted misinterprets
VAR: misinterpretation  misinterpretations
VAR: mislead  misleading misleads
VAR: mismatch  mismatched mismatching
VAR: misperception  misperceptions
VAR: misprint  misprinted
VAR: misrepresent  misrepresenting misrepresents
VAR: misrepresentation  misrepresentations
VAR: miss  missed missing
VAR: missile  missiles
VAR: mission  missions
VAR: missive  missives
VAR: misspell  misspelled
VAR: misspelling misspellings
VAR: mistake  mistakes
VAR: mistrust  mistrusting
VAR: misunderstand  misunderstands
VAR: misunderstanding  misunderstandings
VAR: misuse  misuses
VAR: mitigate  mitigates
VAR: mix  mixed mixing
VAR: mixer  mixers
VAR: mixin  mixins
VAR: mixture  mixtures
VAR: mmu  mmus
VAR: mnemonic  mnemonics
VAR: mob  mobs
VAR: mobile  mobiles
VAR: mock  mocking
VAR: mock-up  mock-ups
VAR: mode  modes
VAR: model  modeled modeling models modelling modelled
VAR: modeler  modelers
VAR: modem  modems
VAR: moderator  moderators
VAR: modification  modifications
VAR: modifier  modifiers
VAR: modify  modifying modifies modified modily  modilying
VAR: modularize  modularizes
VAR: modulate  modulates
VAR: modulator  modulators
VAR: module  modules
VAR: mogul  moguls
VAR: mold  molds molded
VAR: mole  moles
VAR: molecule  molecules
VAR: moment  moments
VAR: money  moneys
VAR: moniker  monikers
VAR: monitor  monitored monitors
VAR: monk  monks
VAR: monkey  monkeyed monkeying monkeys
VAR: monograph  monographs
VAR: monolith  monoliths
VAR: monologue  monologues
VAR: monopolize  monopolizes monopolized
VAR: monster  monsters
VAR: month  months
VAR: monument  monuments
VAR: mood  moods
VAR: moon  moons
VAR: moonlight  moonlighting
VAR: moot  mooted
VAR: moov  moovs
VAR: mop  mops
VAR: morph  morphed morphing morphs
VAR: mortal  mortals
VAR: mortgage  mortgages mortgaged
VAR: mote  motes
VAR: motel  motels
VAR: mother  mothered
VAR: motherboard  motherboards
VAR: motion  motions
VAR: motivate  motivates
VAR: motivation  motivations
VAR: motive  motives
VAR: motor  motoring motors
VAR: motorcycle  motorcycles
VAR: mound  mounds
VAR: mount  mounted mounting mounts
VAR: mountain  mountains
VAR: mountaineer  mountaineering
VAR: mourn  mourned
VAR: mouse  mouses
VAR: mouth  mouths
VAR: move  moves moved moving
VAR: movement  movements
VAR: mover  movers
VAR: movie  movies
VAR: moviemaker  moviemakers
VAR: mower  mowers
VAR: muck  mucked mucking mucks
VAR: mud  muds
VAR: muddy  muddying muddied muddies
VAR: mull  mulled mulling
VAR: multi-task  multi-tasking
VAR: multi-thread  multi-threaded multi-threading
VAR: multi-tier  multi-tiered
VAR: multi-window  multi-windowed
VAR: multibit  multibits
VAR: multicast  multicasting multicasts
VAR: multicolor  multicolored
VAR: multidimension  multidimensioned multidimensions
VAR: multikey  multikeyed
VAR: multilayer  multilayered
VAR: multimap  multimaps
VAR: multimethod  multimethods
VAR: multiple  multiples
VAR: multiple-dimension  multiple-dimensioned
VAR: multiple-key  multiple-keyed
VAR: multiplex  multiplexed multiplexing
VAR: multiplexer  multiplexers
VAR: multiplexor  multiplexors
VAR: multiplicand  multiplicands
VAR: multiplication  multiplications
VAR: multiplier  multipliers
VAR: multiply  multiplying
VAR: multiport  multiported
VAR: multiprocess  multiprocessing
VAR: multiprocessor  multiprocessors
VAR: multisecond  multiseconds
VAR: multisegment  multisegmented
VAR: multisession  multisessions
VAR: multiset  multisets
VAR: multitask  multitasked multitasking multitasks
VAR: multitasker  multitaskers
VAR: multithread  multithreaded multithreading multithreads
VAR: multitier  multitiered
VAR: multitude  multitudes
VAR: multiwindow  multiwindowed multiwindowing
VAR: munch  munching
VAR: munchie  munchies
VAR: muscle  muscles
VAR: muse  muses mused
VAR: museum  museums
VAR: mushroom  mushroomed mushrooming mushrooms
VAR: musician  musicians
VAR: musing  musings
VAR: must  musts
VAR: must-constraint  must-constraints
VAR: muster  mustering
VAR: mutant  mutants
VAR: mutate  mutates mutated
VAR: mutation  mutations
VAR: mutator  mutators
VAR: mutter  muttered mutters
VAR: muttering  mutterings
VAR: mystify  mystifying
VAR: myth  myths
VAR: nag  nags
VAR: nail  nailed nailing nails
VAR: nak  naked naks
VAR: name  names named naming
VAR: nameplate  nameplates
VAR: namesake  namesakes
VAR: namespace  namespaces
VAR: nan  nans
VAR: nanocomputer  nanocomputers
VAR: nanosecond  nanoseconds
VAR: nap  naps napping
VAR: napkin  napkins
VAR: narrative  narratives
VAR: narrow  narrowed narrowing narrows
VAR: nation  nations
VAR: native  natives
VAR: natural  naturals
VAR: nature  natures
VAR: navel  navels
VAR: navigate  navigates
VAR: navigator  navigators
VAR: naysayer  naysayers
VAR: near  neared nearing nears
VAR: necessitate  necessitates necessitated
VAR: neck  necks
VAR: necklace  necklaces
VAR: need  needed needing needs
VAR: needle  needles needled
VAR: negate  negates negated
VAR: negative  negatives
VAR: neglect  neglected neglecting neglects
VAR: negotiate  negotiates negotiated
VAR: negotiation  negotiations
VAR: neighbor  neighboring neighbors
VAR: neighborhood  neighborhoods
VAR: neocognitron  neocognitrons
VAR: neologism  neologisms
VAR: neophyte  neophytes
VAR: nephew  nephews
VAR: nerd  nerds
VAR: nerve  nerves
VAR: nest  nested nesting nests
VAR: net  nets
VAR: netcast  netcasting netcasts
VAR: netherworld  netherworlds
VAR: netnik  netniks
VAR: netobject  netobjects
VAR: netpc  netpcs
VAR: network  networked networking networks
VAR: neurocomputer  neurocomputers
VAR: neuron  neurons
VAR: neurophysiologist  neurophysiologists
VAR: neurosurgeon  neurosurgeons
VAR: new  newed newing news
VAR: newcomer  newcomers
VAR: newsfeeder  newsfeeders
VAR: newsgroup  newsgroups
VAR: newsletter  newsletters
VAR: newspaper  newspapers
VAR: newsreader  newsreaders
VAR: newsstand  newsstands
VAR: newt  newts
VAR: nibble  nibbles
VAR: niche  niches
VAR: nickel  nickels
VAR: nickname  nicknames
VAR: night  nights
VAR: nightmare  nightmares
VAR: nincompoop  nincompoops
VAR: nine  nines
VAR: nint  nints
VAR: nip  nips
VAR: nit  nits
VAR: no-no  no-nos
VAR: no-op  no-ops
VAR: no-prize  no-prizes
VAR: noble  nobles
VAR: nod  nods
VAR: node  nodes
VAR: nodule  nodules
VAR: noise  noises
VAR: nominee  nominees
VAR: nondisclosure  nondisclosures
VAR: nonexpert  nonexperts
VAR: nongraphic  nongraphics
VAR: nonmember  nonmembers
VAR: nonprogrammer  nonprogrammers
VAR: nonspecialist  nonspecialists
VAR: nonstandard  nonstandards
VAR: nontemplate  nontemplates
VAR: nonterminal  nonterminals
VAR: nonword  nonwords
VAR: nonwork  nonworking
VAR: nop  noping nops
VAR: normal  normals
VAR: normalize  normalizes normalized
VAR: nose  noses nosed
VAR: nostrum  nostrums
VAR: notation  notations
VAR: notch  notched notching
VAR: note  notes noted noting
VAR: notebook  notebooks
VAR: notice  notices
VAR: notification  notifications
VAR: notify  notifying notifies notified
VAR: notion  notions
VAR: noun  nouns
VAR: novel  novels
VAR: novice  novices
VAR: ntest  ntesting
VAR: ntime  ntimes
VAR: nuance  nuances
VAR: nucleotide  nucleotides
VAR: nugget  nuggets
VAR: nuisance  nuisances
VAR: nuke  nukes
VAR: null  nulled nulls
VAR: nullify  nullifying
VAR: numb  numbing
VAR: number  numbered numbering numbers
VAR: numeral  numerals
VAR: numerator  numerators
VAR: numeric  numerics
VAR: nun  nuns
VAR: nuptial  nuptials
VAR: nut  nuts
VAR: nutcase  nutcases
VAR: nybble  nybbles
VAR: oak  oaks
VAR: oath  oaths
VAR: obey  obeyed obeying obeys
VAR: obfuscate  obfuscates obfuscated
VAR: obfuscation  obfuscations
VAR: object  objected objecting objects
VAR: objectflag  objectflags
VAR: objection  objections
VAR: objective  objectives
VAR: objectwindow  objectwindows
VAR: oblet  oblets
VAR: obligation  obligations
VAR: obscure  obscures
VAR: observable  observables
VAR: observation  observations
VAR: observe  observes observed
VAR: observer  observers
VAR: obsession  obsessions
VAR: obsolete  obsoletes
VAR: obstacle  obstacles
VAR: obstruct  obstructed
VAR: obstruction  obstructions
VAR: obtain  obtained obtaining obtains
VAR: obviate  obviates obviated
VAR: occasion  occasions
VAR: occupant  occupants
VAR: occupation  occupations
VAR: occupy  occupied occupies
VAR: occur  occured occurs occurred occurring
VAR: occurrence  occurrences occurence  occurences occurance  occurances occurrances
VAR: octant  octants
VAR: octave  octaves
VAR: octet  octets
VAR: octree  octrees
VAR: odd  odds
VAR: ===========END===========  Words after this must be manually checked
VAR: oem  oems
VAR: of  ofs
VAR: off  offing offs
VAR: off-hour  off-hours
VAR: off-load  off-loaded off-loading
VAR: off-set  off-sets
VAR: offend  offended offending offends
VAR: offender  offenders
VAR: offense  offenses
VAR: offer  offered offering offers
VAR: offering  offerings
VAR: office  offices
VAR: officer  officers
VAR: official  officials
VAR: offload  offloaded offloading offloads
VAR: offset  offsets
VAR: offshoot  offshoots
VAR: ofile  ofiles
VAR: ohm  ohms
VAR: oi  ois
VAR: oid  oids
VAR: oil  oiled
VAR: ointment  ointments
VAR: okay  okays
VAR: old  olds
VAR: old-timer  old-timers
VAR: olds  oldss
VAR: oldtick  oldticks
VAR: oldvector  oldvectors
VAR: oleobject  oleobjects
VAR: olive  olives
VAR: olympic  olympics
VAR: omelette  omelettes
VAR: omission  omissions
VAR: omit  omits
VAR: omni  omnis
VAR: omniheurist  omniheurists
VAR: on  ons
VAR: onc  oncs
VAR: onconnect  onconnected
VAR: ondisconnect  ondisconnected
VAR: one  ones
VAR: one-liner  one-liners
VAR: oneof  oneofs
VAR: online-service  online-services
VAR: ono  onos
VAR: onto  ontos
VAR: onu  onus
VAR: onward  onwards
VAR: oo  oos
VAR: oodbm  oodbms
VAR: oodbms  oodbmss
VAR: ooh  oohing
VAR: oop  oops
VAR: op  ops
VAR: op-amp  op-amps
VAR: op-code  op-codes
VAR: op-writer  op-writers
VAR: op/ed  op/eds
VAR: opcode  opcodes
VAR: open  opened opening opens
VAR: open-system  open-systems
VAR: open_file  open_files
VAR: open_flag  open_flags
VAR: openconnection  openconnections
VAR: opener  openers
VAR: openfile  openfiles
VAR: opening  openings
VAR: opentable  opentables
VAR: openwindow  openwindows
VAR: operand  operands
VAR: operat  operated operating
VAR: operate  operates
VAR: operating-system  operating-systems
VAR: operation  operations
VAR: operative  operatives
VAR: operator  operators
VAR: opine  opines
VAR: opinion  opinions
VAR: opnd  opnds
VAR: opp  opps
VAR: opponent  opponents
VAR: oppose  opposes
VAR: opposite  opposites
VAR: opposition  oppositions
VAR: oprom  oproms
VAR: opt  opted opting opts
VAR: optic  optics
VAR: optical  opticals
VAR: optimist  optimists
VAR: optimization  optimizations
VAR: optimize  optimizes
VAR: optimizer  optimizers
VAR: option  options
VAR: optlink  optlinks
VAR: or  ored oring ors
VAR: oracle  oracles
VAR: orange  oranges
VAR: orb  orbs
VAR: orbit  orbiting orbits
VAR: orbital  orbitals
VAR: orchard  orchards
VAR: orchestrate  orchestrates
VAR: order  ordered ordering orders
VAR: ordering  orderings
VAR: ordinal  ordinals
VAR: ordinate  ordinates
VAR: organ  organs
VAR: organism  organisms
VAR: organization  organizations
VAR: organize  organizes
VAR: organizer  organizers
VAR: orient  oriented orienting
VAR: orientation  orientations
VAR: origin  origins
VAR: original  originals
VAR: originate  originates
VAR: originator  originators
VAR: orphan  orphaned orphans
VAR: os  oss
VAR: osa  osas
VAR: oscillate  oscillates
VAR: oscillation  oscillations
VAR: oscillator  oscillators
VAR: oscilloscope  oscilloscopes
VAR: ose  oses
VAR: osr  osrs
VAR: osutil  osutils
VAR: other  others
VAR: oti  otis
VAR: ou  ous
VAR: ounce  ounces
VAR: our  ours
VAR: ours  ourss
VAR: out  outs
VAR: out-of-bound  out-of-bounds
VAR: outage  outages
VAR: outbit  outbits
VAR: outbyte  outbytes
VAR: outcode  outcodes
VAR: outcome  outcomes
VAR: outdoor  outdoors
VAR: outf  outfs
VAR: outfit  outfits
VAR: outgrow  outgrows
VAR: outhouse  outhouses
VAR: outlast  outlasted
VAR: outlaw  outlawed outlawing outlaws
VAR: outlet  outlets
VAR: outlier  outliers
VAR: outline  outlines
VAR: outlive  outlives
VAR: outnumber  outnumbered
VAR: outperform  outperformed outperforming outperforms
VAR: output  outputing outputs
VAR: output_bit  output_bits
VAR: outreg  outregs
VAR: outshine  outshines
VAR: outsider  outsiders
VAR: outsmart  outsmarted
VAR: outstr  outstring
VAR: outtype  outtypes
VAR: outward  outwards
VAR: outweigh  outweighed outweighs
VAR: oval  ovals
VAR: oven  ovens
VAR: over-write  over-writes
VAR: overage  overages
VAR: overcoat  overcoats
VAR: overcome  overcomes
VAR: overdraw  overdrawing
VAR: overestimate  overestimates
VAR: overflow  overflowed overflowing overflows
VAR: overhaul  overhauled overhauls
VAR: overhead  overheads
VAR: overlap  overlaps
VAR: overlay  overlayed overlaying overlays
VAR: overload  overloaded overloading overloads
VAR: overlook  overlooked overlooking overlooks
VAR: overreact  overreacted
VAR: overreaction  overreactions
VAR: overridable  overridables
VAR: override  overrides
VAR: overrun  overruns
VAR: oversee  overseeing oversees
VAR: overshadow  overshadowed overshadowing overshadows
VAR: overshoot  overshooting overshoots
VAR: oversight  oversights
VAR: overstep  oversteps
VAR: overstress  overstressing
VAR: overtake  overtakes
VAR: overtrain  overtrained
VAR: overturn  overturned overturning
VAR: overview  overviews
VAR: overwhelm  overwhelmed overwhelming overwhelms
VAR: overwork  overworked
VAR: overwrit  overwriting
VAR: overwrite  overwrites
VAR: ow  owed owing ows
VAR: owe  owes
VAR: owl  owls
VAR: own  owned owning owns
VAR: owner  owners
VAR: owner-draw  owner-drawing
VAR: p  ped ping ps
VAR: p+  p+s
VAR: p-code  p-codes
VAR: p1  p1s
VAR: p100  p100s
VAR: p20b  p20bs
VAR: p20d  p20ds
VAR: p54  p54s
VAR: p54c  p54cs
VAR: p55  p55s
VAR: p75  p75s
VAR: p_limit  p_limits
VAR: p_stat  p_stats
VAR: p_stop  p_stops
VAR: pa  pas
VAR: pac  paced pacing pacs
VAR: pace  paces
VAR: pacemaker  pacemakers
VAR: pack  packed packing packs
VAR: package  packages
VAR: packager  packagers
VAR: packer  packers
VAR: packet  packeting packets
VAR: packet-switch  packet-switched packet-switching
VAR: packetize  packetizes
VAR: packing  packings
VAR: pad  paded pads
VAR: padd  padded padding
VAR: pag  paged paging
VAR: page  pages
VAR: page-address  page-addressing
VAR: page-fault  page-faulting page-faults
VAR: pager  pagers
VAR: pain  pains
VAR: paint  painted painting paints
VAR: painter  painters
VAR: painting  paintings
VAR: pair  paired pairing pairs
VAR: pairing  pairings
VAR: pajama  pajamas
VAR: pal  paled paling pals
VAR: pale  pales
VAR: palette  palettes
VAR: paletteentry  paletteentrys
VAR: palindrome  palindromes
VAR: palm  palms
VAR: palmpilot  palmpilots
VAR: palmtop  palmtops
VAR: palo  palos
VAR: pamphlet  pamphlets
VAR: pan  paning pans
VAR: pane  panes
VAR: panel  paneling panels
VAR: panelist  panelists
VAR: paper  papered papers
VAR: paperback  paperbacks
VAR: paperboy  paperboys
VAR: paperweight  paperweights
VAR: par  pared paring pars
VAR: para  paras
VAR: parabola  parabolas
VAR: parade  parades
VAR: paradigm  paradigms
VAR: paragon  paragons
VAR: paragraph  paragraphs
VAR: parallel  paralleled paralleling parallels
VAR: parallelism  parallelisms
VAR: param  params
VAR: parameter  parameters
VAR: paranoid  paranoids
VAR: paraphrase  paraphrases
VAR: parasite  parasites
VAR: parcel  parceled parceling parcels
VAR: pardon  pardoned
VAR: pare  pares
VAR: paren  parens
VAR: parent  parented parents
VAR: parenthese  parentheses
VAR: parenthesis  parenthesised
VAR: pari  paris
VAR: park  parked parking parks
VAR: parlay  parlayed parlaying
VAR: parlor  parlors
VAR: parm  parms
VAR: pars  parsed parsing
VAR: parse  parses
VAR: parse_array  parse_arrays
VAR: parser  parsers
VAR: part  parted parting parts
VAR: partial  partials
VAR: participant  participants
VAR: participate  participates
VAR: particle  particles
VAR: particular  particulars
VAR: partisan  partisans
VAR: partition  partitioned partitioning partitions
VAR: partner  partnering partners
VAR: partnership  partnerships
VAR: pas  pasing pass
VAR: pascal  pascals
VAR: pass  passed passing
VAR: passage  passages
VAR: passe  passes
VAR: passenger  passengers
VAR: passion  passions
VAR: password  passwords
VAR: passwordlistener  passwordlisteners
VAR: past  pasted pasting
VAR: paste  pastes
VAR: pastel  pastels
VAR: pasture  pastures
VAR: pat  pats
VAR: patch  patched patching
VAR: patent  patented patenting patents
VAR: path  pathed pathing paths
VAR: path/name  path/names
VAR: pathname  pathnames
VAR: pathstr  pathstring
VAR: pathway  pathways
VAR: patient  patients
VAR: patriot  patriots
VAR: patron  patrons
VAR: patt  patting
VAR: pattern  patterned patterning patterns
VAR: paulo  paulos
VAR: pause  pauseed pauseing pauses
VAR: pave  paves
VAR: pawn  pawning pawns
VAR: pay  paying pays
VAR: paycheck  paychecks
VAR: payee  payees
VAR: payload  payloads
VAR: payment  payments
VAR: payoff  payoffs
VAR: pb  pbs
VAR: pbx  pbxs
VAR: pbyte  pbytes
VAR: pc  pcs
VAR: pc-compatible  pc-compatibles
VAR: pc-host  pc-hosted
VAR: pc/at  pc/ats
VAR: pchar  pchars
VAR: pci  pcis
VAR: pcltool  pcltools
VAR: pcm  pcms
VAR: pcode  pcodes
VAR: pcolor  pcolors
VAR: pcr  pcred
VAR: pct  pcts
VAR: pcx  pcxs
VAR: pd  pds
VAR: pda  pdas
VAR: pde  pdes
VAR: pdp-11  pdp-11s
VAR: pdr  pdrs
VAR: pdu  pdus
VAR: pe  pes
VAR: pea  peas
VAR: peak  peaked peaks
VAR: peanut  peanuts
VAR: pearl  pearls
VAR: peasant  peasants
VAR: peck  pecking
VAR: pedal  pedals
VAR: peddle  peddles
VAR: peddler  peddlers
VAR: pedestrian  pedestrians
VAR: peek  peeked peeking peeks
VAR: peel  peeled peels
VAR: peep  peeping
VAR: peephole  peepholes
VAR: peepholer  peepholers
VAR: peer  peering peers
VAR: peeve  peeves
VAR: peg  pegs
VAR: pel  pels
VAR: pelican  pelicans
VAR: pen  pens
VAR: penalize  penalizes
VAR: pencil  pencils
VAR: pend  pending
VAR: pending  pendings
VAR: penetrate  penetrates
VAR: penetration  penetrations
VAR: penguin  penguins
VAR: penn  penned
VAR: pentium  pentiums
VAR: people  peoples
VAR: pepper  peppered peppering peppers
VAR: per  pered
VAR: perc  perced percs
VAR: perceive  perceives
VAR: percentage  percentages
VAR: percept  percepts
VAR: perception  perceptions
VAR: perceptron  perceptrons
VAR: perch  perched
VAR: percussive  percussives
VAR: perf  perfed
VAR: perfect  perfected perfecting
VAR: perfectionist  perfectionists
VAR: perform  performed performing performs
VAR: performance  performances
VAR: performer  performers
VAR: peril  perils
VAR: period  periods
VAR: periodical  periodicals
VAR: peripheral  peripherals
VAR: perish  perished
VAR: perk  perked perks
VAR: permeate  permeates
VAR: permission  permissions
VAR: permit  permits
VAR: permutation  permutations
VAR: permute  permutes
VAR: perpetuate  perpetuates
VAR: perplex  perplexed perplexing
VAR: persist  persisted persisting persists
VAR: persistent  persistents
VAR: persistentarray  persistentarrays
VAR: persistenttask  persistenttasks
VAR: person  persons
VAR: person-year  person-years
VAR: personal-communication  personal-communications
VAR: perspective  perspectives
VAR: perspective-correct  perspective-corrected
VAR: perspective-project  perspective-projected
VAR: pert  perts
VAR: pertain  pertained pertaining pertains
VAR: perturb  perturbed perturbing
VAR: perturbation  perturbations
VAR: pervade  pervades
VAR: pest  pests
VAR: pester  pestering
VAR: pet  pets
VAR: peter  peters
VAR: petition  petitioned
VAR: petri-net  petri-nets
VAR: pf  pfs
VAR: pfunc  pfuncs
VAR: pg  pgs
VAR: pgrp  pgrps
VAR: pharmaceutical  pharmaceuticals
VAR: phase  phases
VAR: phase-lock  phase-locked
VAR: phaser  phasers
VAR: phd  phds
VAR: phenotype  phenotypes
VAR: philip  philips
VAR: phillip  phillips
VAR: philosopher  philosophers
VAR: phobia  phobias
VAR: phocode  phocodes
VAR: phone  phones
VAR: phoneme  phonemes
VAR: phonenumber  phonenumbers
VAR: phonetic  phonetics
VAR: phonic  phonics
VAR: phosphor  phosphors
VAR: photo  photos
VAR: photocopy  photocopying
VAR: photograph  photographed photographing photographs
VAR: photographer  photographers
VAR: photographic  photographics
VAR: photon  photons
VAR: phrase  phrases
VAR: phy  phys
VAR: physical-address  physical-addressing
VAR: physician  physicians
VAR: physicist  physicists
VAR: pi  pis
VAR: piano  pianos
VAR: pic  pics
VAR: pick  picked picking picks
VAR: picker  pickers
VAR: pickle  pickles
VAR: picklist  picklists
VAR: pickpocket  pickpockets
VAR: pict  picts
VAR: picture  pictures
VAR: pid  pids
VAR: pie  pies
VAR: piece  pieces
VAR: pierce  pierces
VAR: pif  pifs
VAR: pig  pigs
VAR: pigeon  pigeons
VAR: piggyback  piggybacking piggybacks
VAR: pigment  pigments
VAR: pil  piled piling
VAR: pile  piles
VAR: pile-up  pile-ups
VAR: pileup  pileups
VAR: pilgrimage  pilgrimages
VAR: pilot  piloted piloting pilots
VAR: pin  pining pins
VAR: pinch  pinched pinching
VAR: pine  pines
VAR: pineapple  pineapples
VAR: ping  pinging pings
VAR: ping-pong  ping-ponging
VAR: pinnacle  pinnacles
VAR: pinout  pinouts
VAR: pinpoint  pinpointed pinpointing pinpoints
VAR: pint  pints
VAR: pioneer  pioneered pioneering pioneers
VAR: pip  piped piping pips
VAR: pipe  pipes
VAR: pipeline  pipelines
VAR: pirate  pirates
VAR: pistil  pistils
VAR: pit  pits
VAR: pitch  pitched pitching
VAR: pitfall  pitfalls
VAR: pitt  pitted pitting pitts
VAR: pivot  pivoting pivots
VAR: pixel  pixels
VAR: pixmap  pixmaps
VAR: pkc  pkcs
VAR: pkt  pkts
VAR: pkzip  pkzips
VAR: pl  pls
VAR: place  places
VAR: placeholder  placeholders
VAR: placement  placements
VAR: plague  plagues
VAR: plain  plains
VAR: plaintext  plaintexts
VAR: plaintiff  plaintiffs
VAR: plan  plans
VAR: plane  planes
VAR: planet  planets
VAR: planner  planners
VAR: plant  planted planting plants
VAR: plaster  plastered
VAR: plastic  plastics
VAR: plat  plating
VAR: plate  plates
VAR: plateau  plateaus
VAR: platform  platforms
VAR: platter  platters
VAR: play  played playing plays
VAR: playback  playbacks
VAR: player  players
VAR: playlist  playlists
VAR: plaza  plazas
VAR: pld  plds
VAR: plea  pleas
VAR: plead  pleaded pleading pleads
VAR: pleas  pleased pleasing
VAR: please  pleases
VAR: pleasure  pleasures
VAR: pledge  pledges
VAR: pli  plied
VAR: plier  pliers
VAR: plot  plots
VAR: plotline  plotlines
VAR: plotter  plotters
VAR: plow  plowing plows
VAR: ploy  ploys
VAR: plu  plus
VAR: pluck  plucked plucking
VAR: plug  plugs
VAR: plug-in  plug-ins
VAR: plugin  plugins
VAR: plum  plums
VAR: plumb  plumbed plumbing
VAR: plumber  plumbers
VAR: plunge  plunges
VAR: plunk  plunked
VAR: ply  plying
VAR: pm  pms
VAR: pmm  pmms
VAR: pn  pns
VAR: pneumatic  pneumatics
VAR: png  pngs
VAR: pns  pnss
VAR: pnt  pnts
VAR: po  pos
VAR: pocket  pockets
VAR: pocketbook  pocketbooks
VAR: pod  pods
VAR: poem  poems
VAR: poet  poets
VAR: poetic  poetics
VAR: point  pointed pointing points
VAR: point2  point2s
VAR: pointer  pointers
VAR: pointr  pointring
VAR: poison  poisoned
VAR: poke  pokeing pokes
VAR: pole  poles
VAR: poleqn  poleqns
VAR: polish  polished polishing
VAR: politician  politicians
VAR: politico  politicos
VAR: poll  polled polling polls
VAR: pollute  pollutes
VAR: poly  polys
VAR: polyglot  polyglots
VAR: polygon  polygons
VAR: polygon-fill  polygon-filling
VAR: polygraph  polygraphs
VAR: polyhedron  polyhedrons
VAR: polyline  polylines
VAR: polymorph  polymorphing
VAR: polynomial  polynomials
VAR: pom  poms
VAR: ponder  pondered pondering ponders
VAR: pong  pongs
VAR: pony  ponying
VAR: poof  poofing
VAR: pool  pooling pools
VAR: poole  pooles
VAR: pop  poped poping pops
VAR: pop-down  pop-downs
VAR: pop-up  pop-ups
VAR: popcolor  popcolors
VAR: popdown  popdowns
VAR: popdownmenu  popdownmenus
VAR: populate  populates
VAR: population  populations
VAR: popup  popups
VAR: pore  pores
VAR: porklint  porklints
VAR: porsche  porsches
VAR: port  ported porting ports
VAR: portable  portables
VAR: portal  portals
VAR: portbase  portbases
VAR: porter  porters
VAR: portfolio  portfolios
VAR: porthole  portholes
VAR: portion  portions
VAR: portrait  portraits
VAR: portray  portrayed portraying portrays
VAR: portrayal  portrayals
VAR: pos  posed posing
VAR: pose  poses
VAR: posit  posited positing posits
VAR: position  positioned positioning positions
VAR: positive  positives
VAR: posse  posses
VAR: posses  possess
VAR: possess  possessed possessing
VAR: possession  possessions
VAR: possessor  possessors
VAR: possible--a  possible--as
VAR: post  posted posting posts
VAR: post-it  post-its
VAR: post-process  post-processing
VAR: postcard  postcards
VAR: postcondition  postconditioning postconditions
VAR: poster  posters
VAR: posting  postings
VAR: postion  postioned
VAR: postmark  postmarked postmarks
VAR: postpone  postpones
VAR: postprocess  postprocessed postprocessing
VAR: postulate  postulates
VAR: pot  pots
VAR: potential  potentials
VAR: potentiometer  potentiometers
VAR: potion  potions
VAR: pound  pounded pounding pounds
VAR: pour  poured pouring
VAR: powder  powdered powders
VAR: power  powered powering powers
VAR: power-book  power-books
VAR: power-down  power-downs
VAR: powerbook  powerbooks
VAR: powerhouse  powerhouses
VAR: powermac  powermacs
VAR: powerpc  powerpcs
VAR: pp  pps
VAR: ppane  ppanes
VAR: ppd  ppds
VAR: ppu  ppus
VAR: pr  pred prs
VAR: practice  practices
VAR: practitioner  practitioners
VAR: pragma  pragmas
VAR: pragmatic  pragmatics
VAR: pragmatist  pragmatists
VAR: praise  praises
VAR: prank  pranks
VAR: prankster  pranksters
VAR: pray  praying
VAR: prayer  prayers
VAR: pre  pres
VAR: pre-empt  pre-empted
VAR: pre-process  pre-processing
VAR: pre-release  pre-releases
VAR: preach  preached preaching
VAR: preacher  preachers
VAR: preallocate  preallocates
VAR: preamble  preambles
VAR: precaution  precautions
VAR: precede  precedes
VAR: precedent  precedents
VAR: preceding  precedings
VAR: preceed  preceeded preceeding preceeds
VAR: precipitate  precipitates
VAR: precision  precisions
VAR: preclude  precludes
VAR: precompile  precompiles
VAR: precompiler  precompilers
VAR: precompute  precomputes
VAR: precondition  preconditioned preconditions
VAR: precursor  precursors
VAR: pred  preds
VAR: predate  predates
VAR: predation  predations
VAR: predecessor  predecessors
VAR: predefine  predefines
VAR: predefinition  predefinitions
VAR: predicament  predicaments
VAR: predicate  predicates
VAR: predict  predicted predicting predicts
VAR: prediction  predictions
VAR: predictor  predictors
VAR: predominate  predominates
VAR: preempt  preempted preempting preempts
VAR: preemption  preemptions
VAR: preface  prefaces
VAR: prefer  prefers
VAR: preference  preferences
VAR: prefetch  prefetched prefetching
VAR: prefill  prefilled
VAR: prefix  prefixed prefixing
VAR: preg  pregs
VAR: preinstall  preinstalled
VAR: prejudice  prejudices
VAR: preload  preloaded preloading
VAR: premise  premises
VAR: premonitor  premonitoring
VAR: preoccupation  preoccupations
VAR: prep  preps
VAR: prep_  prep_s
VAR: prepar  prepared preparing
VAR: preparation  preparations
VAR: prepare  prepares
VAR: preparesearchfname  preparesearchfnames
VAR: prepend  prepended prepending prepends
VAR: preprint  preprints
VAR: preprocess  preprocessed preprocessing
VAR: preprocessor  preprocessors
VAR: preread  prereading
VAR: preregister  preregistered
VAR: prerequisite  prerequisites
VAR: pres  press
VAR: prescanner  prescanners
VAR: prescribe  prescribes
VAR: prescription  prescriptions
VAR: present  presented presenting presents
VAR: presentation  presentations
VAR: presenter  presenters
VAR: preserve  preserves
VAR: preset  presets
VAR: president  presidents
VAR: presort  presorted
VAR: presource  presources
VAR: press  pressed pressing
VAR: presse  presses
VAR: pressure  pressures
VAR: presume  presumes
VAR: presuppose  presupposes
VAR: pretend  pretended pretending pretends
VAR: pretense  pretenses
VAR: pretty  prettying
VAR: prettyprint  prettyprinting
VAR: prevail  prevailed prevailing prevails
VAR: prevalidation  prevalidations
VAR: prevent  prevented preventing prevents
VAR: preview  previewed previewing previews
VAR: prg  prgs
VAR: price  prices
VAR: price-audit  price-audited
VAR: pride  prides
VAR: priest  priests
VAR: prim  primed priming
VAR: prime  primes
VAR: prime-color  prime-colored
VAR: primer  primers
VAR: primitive  primitives
VAR: prince  princes
VAR: princes  princess
VAR: principal  principals
VAR: principle  principles
VAR: principle--a  principle--as
VAR: print  printed printing prints
VAR: print-preview  print-previewing
VAR: print_str  print_string
VAR: printdirent  printdirents
VAR: printer  printers
VAR: printf  printfs
VAR: printing  printings
VAR: printout  printouts
VAR: prioritize  prioritizes
VAR: prism  prisms
VAR: prison  prisons
VAR: prisoner  prisoners
VAR: priv  privs
VAR: private  privates
VAR: privilege  privileges
VAR: prize  prizes
VAR: prm  prms
VAR: prng  prngs
VAR: pro  pros
VAR: prob  probed probing probs
VAR: probe  probes
VAR: problem  problems
VAR: proc  procs
VAR: procedure  procedures
VAR: proceed  proceeded proceeding proceeds
VAR: proceeding  proceedings
VAR: procees  proceess
VAR: process  processed processing
VAR: processmessage  processmessages
VAR: processor  processors
VAR: processvirtualcookie  processvirtualcookies
VAR: proclaim  proclaimed proclaiming proclaims
VAR: proclamation  proclamations
VAR: procname  procnames
VAR: proctor  proctored
VAR: procurement  procurements
VAR: prod  prods
VAR: produce  produces
VAR: producer  producers
VAR: product  products
VAR: production  productions
VAR: prof  profs
VAR: profess  professed professing
VAR: profession  professions
VAR: professional  professionals
VAR: professor  professors
VAR: profile  profiles
VAR: profiler  profilers
VAR: profit  profited profiting profits
VAR: prog  progs
VAR: progenitor  progenitors
VAR: progn  progns
VAR: prognostication  prognostications
VAR: program  programed programing programs
VAR: programmer  programmers
VAR: progress  progressed progressing
VAR: prohibit  prohibited prohibiting prohibits
VAR: prohibition  prohibitions
VAR: proj  projs
VAR: project  projected projecting projects
VAR: projection  projections
VAR: projector  projectors
VAR: prolific  prolifics
VAR: prolog  prologs
VAR: prologue  prologues
VAR: prom  proms
VAR: promis  promised promising
VAR: promise  promises
VAR: promote  promotes
VAR: promoter  promoters
VAR: promotion  promotions
VAR: prompt  prompted prompting prompts
VAR: prompter  prompters
VAR: promptstr  promptstring
VAR: pronoun  pronouns
VAR: pronounce  pronounces
VAR: pronouncement  pronouncements
VAR: pronunciation  pronunciations
VAR: proof  proofing proofs
VAR: proofread  proofreading
VAR: prop  props
VAR: propagate  propagates
VAR: propagation  propagations
VAR: propertyresourcebundle  propertyresourcebundles
VAR: propertyset  propertysets
VAR: proponent  proponents
VAR: proportion  proportions
VAR: propos  proposed proposing
VAR: proposal  proposals
VAR: propose  proposes
VAR: proposition  propositions
VAR: proppageid  proppageids
VAR: prosecution  prosecutions
VAR: prosecutor  prosecutors
VAR: prospect  prospecting prospects
VAR: prosper  prospered prospers
VAR: prot  prots
VAR: protect  protected protecting protects
VAR: protection  protections
VAR: protector  protectors
VAR: protein  proteins
VAR: protest  protested protests
VAR: proto  protos
VAR: protocol  protocols
VAR: prototype  prototypes
VAR: prototyper  prototypers
VAR: protrusion  protrusions
VAR: prove  proves
VAR: prover  provers
VAR: provide  provides
VAR: provider  providers
VAR: province  provinces
VAR: provision  provisions
VAR: provoke  provokes
VAR: prow  prows
VAR: prowl  prowled prowling prowls
VAR: proxy  proxying
VAR: prt  prts
VAR: prun  pruned pruning
VAR: prune  prunes
VAR: pry  prying
VAR: ps  pss
VAR: ps/2  ps/2s
VAR: ps_pseudo  ps_pseudos
VAR: psc  pscs
VAR: pse  pses
VAR: pseg  psegs
VAR: pseudo  pseudos
VAR: pseudo-function  pseudo-functions
VAR: pseudo-op  pseudo-ops
VAR: pseudoarray  pseudoarrays
VAR: pseudonym  pseudonyms
VAR: pseudoopcode  pseudoopcodes
VAR: pseudoregister  pseudoregisters
VAR: pseudotag  pseudotags
VAR: pseudovariable  pseudovariables
VAR: psp  psps
VAR: pstat  pstats
VAR: pstr  pstring
VAR: psychologist  psychologists
VAR: pt  pts
VAR: pte  ptes
VAR: ptf  ptfs
VAR: pthread  pthreads
VAR: ptobject  ptobjects
VAR: ptr  ptrs
VAR: ptr_  ptr_s
VAR: ptrtostr  ptrtostring
VAR: pts  ptss
VAR: ptstr  ptstring
VAR: pu  pus
VAR: pub  pubs
VAR: pub/mud  pub/muds
VAR: pubdef  pubdefs
VAR: public  publiced publics
VAR: publication  publications
VAR: publish  published publishing
VAR: publisher  publishers
VAR: puddle  puddles
VAR: puff  puffed puffing puffs
VAR: pulitzer  pulitzers
VAR: pull  pulled pulling pulls
VAR: pull-down  pull-downs
VAR: pulldown  pulldowns
VAR: pulse  pulses
VAR: pump  pumped pumping pumps
VAR: pun  puns
VAR: punch  punched punching
VAR: punchline  punchlines
VAR: punctuator  punctuators
VAR: pundit  pundits
VAR: punish  punished punishing
VAR: punt  punting punts
VAR: pup  pups
VAR: puppet  puppets
VAR: purchase  purchases
VAR: purchaser  purchasers
VAR: purge  purges
VAR: purist  purists
VAR: purport  purported purporting purports
VAR: purpose  purposes
VAR: pursue  pursues
VAR: pursuit  pursuits
VAR: purveyor  purveyors
VAR: push  pushed pushing pushs
VAR: push-button  push-buttons
VAR: pushbutton  pushbuttons
VAR: pusher  pushers
VAR: put  puts
VAR: put_fork  put_forks
VAR: putbyte  putbytes
VAR: puzzle  puzzles
VAR: pv  pvs
VAR: pw  pws
VAR: pwm  pwms
VAR: q  qed qing qs
VAR: q-factor  q-factors
VAR: q1  q1s
VAR: qm  qms
VAR: qmf  qmfs
VAR: qstr  qstring
VAR: quad  quads
VAR: quad-  quad-s
VAR: quad-flat-package  quad-flat-packages
VAR: quadcode  quadcodes
VAR: quadrant  quadrants
VAR: quadratic  quadratics
VAR: quadruple  quadruples
VAR: quadtree  quadtrees
VAR: quadword  quadwords
VAR: quagmire  quagmires
VAR: qualification  qualifications
VAR: qualifier  qualifiers
VAR: qualify  qualifying
VAR: quantifier  quantifiers
VAR: quantify  quantifying
VAR: quantile  quantiles
VAR: quantization  quantizations
VAR: quantize  quantizes
VAR: quantum  quantums
VAR: quark  quarks
VAR: quarter  quartering quarters
VAR: qubit  qubits
VAR: queen  queens
VAR: quench  quenched
VAR: query  querying
VAR: query-result  query-results
VAR: querydef  querydefs
VAR: quest  quested quests
VAR: question  questioned questioning questions
VAR: questioner  questioners
VAR: questionnaire  questionnaires
VAR: queue  queueing queues
VAR: quibble  quibbles
VAR: quickdraw  quickdrawing
VAR: quicksort  quicksorts
VAR: quicktime  quicktimes
VAR: quiet  quieted
VAR: quirk  quirks
VAR: quit  quits
VAR: quiver  quivering
VAR: quot  quoted quoting
VAR: quota  quotas
VAR: quotation  quotations
VAR: quote  quotes
VAR: quotient  quotients
VAR: r  red ring rs
VAR: r/  r/s
VAR: r12  r12s
VAR: ra  ras
VAR: rabbi  rabbis
VAR: rabbit  rabbits
VAR: raccoon  raccoons
VAR: race  races
VAR: rack  racking racks
VAR: racket  rackets
VAR: radian  radians
VAR: radiate  radiates
VAR: radical  radicals
VAR: radio  radioing radios
VAR: radio-button  radio-buttons
VAR: raft  rafts
VAR: rag  raged raging rags
VAR: rage  rages
VAR: raid  raided raiding raids
VAR: rail  railed railing rails
VAR: railing  railings
VAR: railroad  railroaded railroads
VAR: rain  raining rains
VAR: raise  raises
VAR: rally  rallying
VAR: ram  rams
VAR: ramble  rambles
VAR: rambling  ramblings
VAR: ramdisk  ramdisks
VAR: ramification  ramifications
VAR: ramm  ramming
VAR: ramp  ramped ramping ramps
VAR: rand  rands
VAR: randomize  randomizes
VAR: randpoolgetbyte  randpoolgetbytes
VAR: rang  ranged ranging
VAR: range  ranges
VAR: rank  ranked ranking ranks
VAR: ranking  rankings
VAR: rant  ranting rants
VAR: rapid  rapids
VAR: rascal  rascals
VAR: raster  rasters
VAR: rasterize  rasterizes
VAR: rasterizer  rasterizers
VAR: rasterop  rasterops
VAR: rat  rated rating rats
VAR: ratchet  ratcheted ratchets
VAR: ratcliff  ratcliffs
VAR: rate  rates
VAR: rating  ratings
VAR: ratio  ratios
VAR: rationale  rationales
VAR: rationalize  rationalizes
VAR: rattle  rattles
VAR: rave  raveing raves
VAR: raving  ravings
VAR: ray  rays
VAR: ray-cast  ray-casting
VAR: ray-tracer  ray-tracers
VAR: raycast  raycasting raycasts
VAR: raytracer  raytracers
VAR: razor  razors
VAR: rb  rbs
VAR: rb_tree  rb_trees
VAR: rbit  rbits
VAR: rboc  rbocs
VAR: rc  rcs
VAR: rcd  rcds
VAR: rcv  rcving rcvs
VAR: rd  rds
VAR: rdbms  rdbmss
VAR: rdc  rdcs
VAR: re  reed res
VAR: re-display  re-displays
VAR: re-draw  re-drawing
VAR: re-enter  re-entered re-enters
VAR: re-examine  re-examines
VAR: re-invert  re-inverted
VAR: re-load  re-loading
VAR: re-open  re-opened
VAR: re-order  re-ordered re-ordering
VAR: re-read  re-reading
VAR: re-sort  re-sorting
VAR: re-vector  re-vectored
VAR: reach  reached reaching
VAR: react  reacted reacting reacts
VAR: reaction  reactions
VAR: reactivate  reactivates
VAR: read  reading reads
VAR: read-ahead  read-aheads
VAR: read-table  read-tables
VAR: read/write  read/writes
VAR: readbyte  readbytes
VAR: readdevice  readdevices
VAR: reader  readers
VAR: readership  readerships
VAR: readfloat  readfloats
VAR: reading  readings
VAR: readonly  readonlys
VAR: readout  readouts
VAR: readpoly  readpolys
VAR: ready  readying
VAR: real  reals
VAR: realign  realigned realigning
VAR: realization  realizations
VAR: realize  realizes
VAR: reallocate  reallocates
VAR: realm  realms
VAR: ream  reams
VAR: reap  reaps
VAR: reappear  reappeared reappearing reappears
VAR: rear  reared rearing rears
VAR: rearrange  rearranges
VAR: rearrangement  rearrangements
VAR: reason  reasoned reasoning reasons
VAR: reassemble  reassembles
VAR: reassert  reasserted reasserts
VAR: reassign  reassigned reassigning reassigns
VAR: reassignment  reassignments
VAR: reate  reates
VAR: reattach  reattached
VAR: rebalance  rebalances
VAR: rebel  rebels
VAR: rebellion  rebellions
VAR: rebind  rebinding rebinds
VAR: reboot  rebooted rebooting reboots
VAR: rebroadcast  rebroadcasts
VAR: rebuff  rebuffed
VAR: rebuild  rebuilding rebuilds
VAR: rec  recs
VAR: recalculate  recalculates
VAR: recalculation  recalculations
VAR: recall  recalled recalling recalls
VAR: recapitulate  recapitulates
VAR: recast  recasting recasts
VAR: recede  recedes
VAR: receipt  receipts
VAR: receiv  received receiving
VAR: receive  receives
VAR: receiver  receivers
VAR: recenter  recentered
VAR: reception  receptions
VAR: receptor  receptors
VAR: recess  recessed
VAR: recieve  recieves
VAR: recip  recips
VAR: recipe  recipes
VAR: recipient  recipients
VAR: reciprocal  reciprocals
VAR: recit  recited
VAR: recite  recites
VAR: reckon  reckoned reckoning
VAR: reclaim  reclaimed reclaiming reclaims
VAR: reclamation  reclamations
VAR: recognize  recognizes
VAR: recognizer  recognizers
VAR: recollection  recollections
VAR: recommend  recommended recommending recommends
VAR: recommendation  recommendations
VAR: recompilation  recompilations
VAR: recompile  recompiles
VAR: recompress  recompressed
VAR: recompute  recomputes
VAR: reconcile  reconciles
VAR: reconfiguration  reconfigurations
VAR: reconfigure  reconfigures
VAR: reconnect  reconnected reconnecting reconnects
VAR: reconsider  reconsidered reconsidering
VAR: reconstruct  reconstructed reconstructing reconstructs
VAR: reconstruction  reconstructions
VAR: reconvert  reconverted reconverting
VAR: record  recorded recording records
VAR: recorder  recorders
VAR: recording  recordings
VAR: recordset  recordsets
VAR: recordstream  recordstreams
VAR: recount  recounted recounting recounts
VAR: recoup  recouped recouping
VAR: recover  recovered recovering recovers
VAR: recreate  recreates
VAR: recreation  recreations
VAR: recruit  recruited recruiting
VAR: recruiter  recruiters
VAR: rect  rects
VAR: rectangle  rectangles
VAR: rectify  rectifying
VAR: recur  recurs
VAR: recurs  recursing
VAR: recurse  recurses
VAR: recursion  recursions
VAR: recycle  recycles
VAR: red  reds
VAR: redd  redding
VAR: redeem  redeemed redeeming redeems
VAR: redefine  redefines
VAR: redefinition  redefinitions
VAR: redesign  redesigned redesigning redesigns
VAR: redevelop  redeveloped
VAR: redirect  redirected redirecting redirects
VAR: redirection  redirections
VAR: redirector  redirectors
VAR: rediscover  rediscovered rediscovering
VAR: redispatch  redispatched
VAR: redisplay  redisplayed redisplaying redisplays
VAR: redistributable  redistributables
VAR: redistribute  redistributes
VAR: redistribution  redistributions
VAR: redo  redoing
VAR: redraw  redrawing redraws
VAR: redress  redressing
VAR: reduce  reduces
VAR: reduction  reductions
VAR: redwood  redwoods
VAR: reed  reeds
VAR: reel  reeling reels
VAR: reenable  reenables
VAR: reencrypt  reencrypts
VAR: reengineer  reengineered reengineering
VAR: reenter  reentered reentering reenters
VAR: reestablish  reestablished reestablishing
VAR: reexamine  reexamines
VAR: reexecute  reexecutes
VAR: ref  refed refs
VAR: refarr  refarrs
VAR: refer  refered refering refers
VAR: referee  refereeing
VAR: reference  references
VAR: reference-count  reference-counted reference-counting
VAR: references/pointer  references/pointers
VAR: referent  referents
VAR: refernece  referneces
VAR: referral  referrals
VAR: refill  refilled refills
VAR: refine  refines
VAR: refinement  refinements
VAR: reflect  reflected reflecting reflects
VAR: reflection  reflections
VAR: reflector  reflectors
VAR: refocus  refocused refocusing
VAR: reform  reformed reforming reforms
VAR: reformat  reformated reformats
VAR: refpage  refpages
VAR: refptr  refptrs
VAR: refract  refracts
VAR: refraction  refractions
VAR: refrain  refrained refraining
VAR: refresh  refreshed refreshing
VAR: refrigerator  refrigerators
VAR: refuge  refuges
VAR: refund  refunds
VAR: refuse  refuses
VAR: refutation  refutations
VAR: refute  refutes
VAR: reg  regs
VAR: reg_param  reg_params
VAR: regain  regained regaining regains
VAR: regard  regarded regarding regards
VAR: regc  regcs
VAR: regenerate  regenerates
VAR: regime  regimes
VAR: region  regions
VAR: regional  regionals
VAR: register  registered registering registers
VAR: registerstype  registerstypes
VAR: registrar  registrars
VAR: registration  registrations
VAR: regret  regrets
VAR: regs  regss
VAR: regularexpression  regularexpressions
VAR: regulate  regulates
VAR: regulation  regulations
VAR: rehash  rehashed rehashing
VAR: reheat  reheated reheating
VAR: rehook  rehooked rehooks
VAR: reign  reigned reigning reigns
VAR: reimbursement  reimbursements
VAR: reimplement  reimplemented reimplementing
VAR: reinforce  reinforces
VAR: reinitialize  reinitializes
VAR: reinsert  reinserting
VAR: reinstall  reinstalled reinstalling reinstalls
VAR: reinstate  reinstates
VAR: reinterpret  reinterpreted
VAR: reintroduce  reintroduces
VAR: reinvent  reinvented reinventing
VAR: reinvest  reinvested
VAR: reis  reiss
VAR: reissue  reissues
VAR: reiterate  reiterates
VAR: reject  rejected rejecting rejects
VAR: rejection  rejections
VAR: rejoin  rejoined rejoins
VAR: relabel  relabeled relabeling
VAR: relat  related relating
VAR: relate  relates
VAR: relation  relations
VAR: relationship  relationships
VAR: relative  relatives
VAR: relax  relaxed relaxing
VAR: relay  relayed relaying relays
VAR: relearn  relearned relearning relearns
VAR: release  releases
VAR: relegate  relegates
VAR: relent  relented
VAR: relic  relics
VAR: relieve  relieves
VAR: religion  religions
VAR: relink  relinked relinking relinks
VAR: relinquish  relinquished relinquishing
VAR: reload  reloaded reloading reloads
VAR: relocate  relocates
VAR: relocation  relocations
VAR: relock  relocking
VAR: relop  relops
VAR: rely  relying
VAR: remailer  remailers
VAR: remain  remained remaining remains
VAR: remainder  remaindered remaindering remainders
VAR: remap  remaps
VAR: remark  remarked remarking remarks
VAR: remarket  remarketed
VAR: remedy  remedying
VAR: remember  remembered remembering remembers
VAR: remind  reminded reminding reminds
VAR: reminder  reminders
VAR: reminiscence  reminiscences
VAR: remnant  remnants
VAR: remold  remolding
VAR: remote  remotes
VAR: removal  removals
VAR: remove  removes
VAR: removeedge  removeedges
VAR: rename  renames
VAR: render  rendered rendering renders
VAR: renderer  renderers
VAR: rendering  renderings
VAR: rendition  renditions
VAR: renew  renewed renewing
VAR: renewal  renewals
VAR: renown  renowned
VAR: rent  rented renting
VAR: rental  rentals
VAR: renumber  renumbered renumbering renumbers
VAR: reopen  reopened reopening reopens
VAR: reorder  reordered reordering reorders
VAR: reordering  reorderings
VAR: reorganization  reorganizations
VAR: reorganize  reorganizes
VAR: reorient  reoriented
VAR: rep  reps
VAR: repack  repacked repacking repacks
VAR: repackaging  repackagings
VAR: repaint  repainted repainting repaints
VAR: repair  repaired repairing repairs
VAR: reparent  reparented reparenting
VAR: repartition  repartitioning
VAR: repeal  repealed repeals
VAR: repeat  repeated repeating repeats
VAR: repercussion  repercussions
VAR: repertoire  repertoires
VAR: repetition  repetitions
VAR: replace  replaces
VAR: replacement  replacements
VAR: replay  replayed replaying replays
VAR: replica  replicas
VAR: replicant  replicants
VAR: replicate  replicates
VAR: replication  replications
VAR: reply  replying
VAR: repoint  repointing repoints
VAR: report  reported reporting reports
VAR: reporter  reporters
VAR: reposition  repositioned repositioning repositions
VAR: repost  reposted
VAR: represent  represented representing represents
VAR: representation  representations
VAR: representative  representatives
VAR: reprint  reprinted reprinting reprints
VAR: reproduce  reproduces
VAR: reproduction  reproductions
VAR: reprogram  reprograms
VAR: republic  republics
VAR: republican  republicans
VAR: republish  republished republishing
VAR: reputation  reputations
VAR: req  reqs
VAR: request  requested requesting requests
VAR: requester  requesters
VAR: requestor  requestors
VAR: requeue  requeues
VAR: require  requires
VAR: requirement  requirements
VAR: requisite  requisites
VAR: reread  rereading rereads
VAR: reregister  reregistered
VAR: reroute  reroutes
VAR: rerun  reruns
VAR: resample  resamples
VAR: rescale  rescales
VAR: rescaling  rescalings
VAR: rescan  rescans
VAR: reschedule  reschedules
VAR: rescind  rescinded
VAR: research  researched researching
VAR: researcher  researchers
VAR: reselect  reselecting
VAR: resell  reselling
VAR: reseller  resellers
VAR: resemblance  resemblances
VAR: resemble  resembles
VAR: resend  resending resends
VAR: resent  resented resents
VAR: reserv  reserved reserving
VAR: reservation  reservations
VAR: reserve  reserves
VAR: reset  reseting resets
VAR: resfile  resfiles
VAR: reshuffle  reshuffles
VAR: resid  resided residing
VAR: reside  resides
VAR: resident  residents
VAR: residual  residuals
VAR: residue  residues
VAR: resign  resigned resigning resigns
VAR: resignation  resignations
VAR: resist  resisted resisting resists
VAR: resistor  resistors
VAR: resize  resizes
VAR: resolution  resolutions
VAR: resolutionunit  resolutionunits
VAR: resolve  resolves
VAR: resolvent  resolvents
VAR: resonate  resonates
VAR: resort  resorted resorting resorts
VAR: resouce  resouces
VAR: resource  resources
VAR: resp  resps
VAR: respect  respected respecting respects
VAR: respond  responded responding responds
VAR: respondent  respondents
VAR: responder  responders
VAR: response  responses
VAR: resstring  resstrings
VAR: rest  rested resting rests
VAR: restart  restarted restarting restarts
VAR: restate  restates
VAR: restatement  restatements
VAR: restaurant  restaurants
VAR: restool  restools
VAR: restoration  restorations
VAR: restore  restores
VAR: restrain  restrained restraining
VAR: restraint  restraints
VAR: restrict  restricted restricting restricts
VAR: restriction  restrictions
VAR: restructure  restructures
VAR: resubmit  resubmits
VAR: result  resulted resulting results
VAR: resultant  resultants
VAR: resume  resumes
VAR: resurrect  resurrected resurrecting resurrects
VAR: resynch  resynching
VAR: resynchronize  resynchronizes
VAR: ret  rets
VAR: retail  retailing retails
VAR: retailer  retailers
VAR: retain  retained retaining retains
VAR: retard  retarded
VAR: retarget  retargeted
VAR: retell  retelling
VAR: retest  retested retesting
VAR: rethink  rethinking
VAR: retool  retooled retooling
VAR: retort  retorts
VAR: retouch  retouched
VAR: retrace  retraces
VAR: retract  retracted
VAR: retrain  retrained retraining
VAR: retransmission  retransmissions
VAR: retransmit  retransmits
VAR: retread  retreads
VAR: retreat  retreated retreating retreats
VAR: retrieval  retrievals
VAR: retrieve  retrieves
VAR: retry  retrying retrys
VAR: retstr  retstring
VAR: return  returned returning returns
VAR: reunion  reunions
VAR: reuse  reuses
VAR: rev  revs
VAR: revamp  revamped revamping
VAR: reveal  revealed revealing reveals
VAR: revector  revectored revectoring revectors
VAR: revel  reveled
VAR: revelation  revelations
VAR: revenue  revenues
VAR: reverb  reverbed
VAR: reverberation  reverberations
VAR: reversal  reversals
VAR: reverse  reverses
VAR: reverse-assign  reverse-assigning
VAR: reverse-engineer  reverse-engineered reverse-engineering reverse-engineers
VAR: revert  reverted reverting reverts
VAR: review  reviewed reviewing reviews
VAR: reviewer  reviewers
VAR: revise  revises
VAR: revision  revisions
VAR: revisit  revisited revisiting
VAR: revive  revives
VAR: revoke  revokes
VAR: revolution  revolutions
VAR: revolutionize  revolutionizes
VAR: revolve  revolves
VAR: reward  rewarded rewarding rewards
VAR: rewind  rewinding rewinds
VAR: rewindow  rewindowing
VAR: rework  reworked reworking reworks
VAR: reworking  reworkings
VAR: rewrite  rewrites
VAR: rf  rfs
VAR: rfc  rfcs
VAR: rfp  rfps
VAR: rft  rfts
VAR: rg  rgs
VAR: rgbcolor  rgbcolors
VAR: rgbquad  rgbquads
VAR: rh  rhs
VAR: rhealstone  rhealstones
VAR: rhode  rhodes
VAR: rhx  rhxs
VAR: rhythm  rhythms
VAR: ri  ris
VAR: rib  ribs
VAR: ribbon  ribbons
VAR: rich-edit  rich-editing
VAR: richard  richards
VAR: ricochet  ricocheting ricochets
VAR: rid  riding
VAR: riddle  riddles
VAR: ride  rides
VAR: rider  riders
VAR: ridge  ridges
VAR: ridicule  ridicules
VAR: rie  ries
VAR: rif  rifs
VAR: riffchunk  riffchunks
VAR: rift  rifts
VAR: rigg  rigged rigging
VAR: right  rights
VAR: right-brain  right-brained
VAR: right-click  right-clicking
VAR: right-hand  right-handed
VAR: right-shift  right-shifted
VAR: rightedge  rightedges
VAR: rigor  rigors
VAR: rim  rims
VAR: ring  ringed ringing rings
VAR: ringer  ringers
VAR: rio  rios
VAR: rip  rips
VAR: ripple  ripples
VAR: ris  rising
VAR: risc  risced riscs
VAR: rise  rises
VAR: risk  risked risking risks
VAR: rite  rites
VAR: ritual  rituals
VAR: riv  rivs
VAR: rival  rivaled rivaling rivals
VAR: river  rivers
VAR: rivet  riveted riveting
VAR: rix  rixs
VAR: rm  rms
VAR: rmm  rmms
VAR: ro  ros
VAR: road  roads
VAR: roadblock  roadblocks
VAR: roam  roamed roaming roams
VAR: roar  roared roaring roars
VAR: robb  robbing
VAR: robert  roberts
VAR: robot  robots
VAR: robotic  robotics
VAR: rock  rocked rocking rocks
VAR: rocket  rocketed rocketing rockets
VAR: rod  rods
VAR: roden  rodens
VAR: rodent  rodents
VAR: rodger  rodgers
VAR: roger  rogers
VAR: rogue  rogues
VAR: role  roles
VAR: role-play  role-playing
VAR: roll  rolled rolling rolls
VAR: roll-out  roll-outs
VAR: rollback  rollbacks
VAR: roller  rollers
VAR: rom  romed roming roms
VAR: roman  romans
VAR: romulan  romulans
VAR: roof  roofing roofs
VAR: room  rooming rooms
VAR: roommate  roommates
VAR: roost  roosting
VAR: root  rooted rooting roots
VAR: rop  roped
VAR: rope  ropes
VAR: ros  ross
VAR: rose  roses
VAR: rosenberg  rosenbergs
VAR: rotate  rotates
VAR: rotation  rotations
VAR: rotor  rotors
VAR: rough  roughed roughing
VAR: round  rounded rounding rounds
VAR: round-off  round-offs
VAR: round-trip  round-trips
VAR: roundup  roundups
VAR: rout  routed routing
VAR: route  routes
VAR: router  routers
VAR: routine  routines
VAR: row  rows
VAR: rowset  rowsets
VAR: rp  rps
VAR: rpc  rpcs
VAR: rpi  rpis
VAR: rpl  rpls
VAR: rpm  rpms
VAR: rpt  rpts
VAR: rptr  rptrs
VAR: rr  rred
VAR: rs  rsed rss
VAR: rs/6000  rs/6000s
VAR: rsrc  rsrcs
VAR: rt  rts
VAR: rtd  rtds
VAR: rtf  rtfs
VAR: rtm  rtms
VAR: rtn  rtns
VAR: rto  rtos
VAR: rtos  rtoss
VAR: rtxd  rtxds
VAR: rub  rubs
VAR: rubber-band  rubber-banding
VAR: rubberband  rubberbands
VAR: rug  rugs
VAR: ruin  ruined ruining ruins
VAR: rul  ruled ruling
VAR: rule  rules
VAR: rule-consequent  rule-consequents
VAR: ruler  rulers
VAR: rumination  ruminations
VAR: rumor  rumored rumors
VAR: run  runs
VAR: runner  runners
VAR: runtime  runtimes
VAR: rush  rushed rushing
VAR: russian  russians
VAR: rut  ruts
VAR: rv  rvs
VAR: rvalue  rvalues
VAR: rwcstring  rwcstrings
VAR: rx  rxs
VAR: rxstr  rxstring
VAR: résumé  résumés
VAR: s  sed sing ss
VAR: s-expression  s-expressions
VAR: s-plane  s-planes
VAR: s-record  s-records
VAR: s2  s2ed
VAR: sa  sas
VAR: sabbatical  sabbaticals
VAR: saboteur  saboteurs
VAR: sabre  sabres
VAR: sack  sacks
VAR: sacrifice  sacrifices
VAR: safe  safes
VAR: safeguard  safeguarded safeguarding safeguards
VAR: safeway  safeways
VAR: sag  sags
VAR: sage  sages
VAR: sail  sailed sailing sails
VAR: sailor  sailors
VAR: sake  sakes
VAR: sale  sales
VAR: salt  salted
VAR: salutation  salutations
VAR: sam  sams
VAR: sample  samples
VAR: sampler  samplers
VAR: sampling  samplings
VAR: samsung  samsungs
VAR: samuel  samuels
VAR: san  sans
VAR: sanction  sanctioned sanctions
VAR: sand  sands
VAR: sandbox  sandboxing
VAR: sandwich  sandwiched sandwiching
VAR: santi  santis
VAR: sap  saps
VAR: sapling  saplings
VAR: sapp  sapping
VAR: sapphire  sapphires
VAR: sar  sars
VAR: sat  sated sats
VAR: satellite  satellites
VAR: satire  satires
VAR: satisfy  satisfying
VAR: saturation  saturations
VAR: saturday  saturdays
VAR: saturn  saturns
VAR: sav  saved saving
VAR: savage  savages
VAR: save  saves
VAR: save_  save_s
VAR: saved  saveds
VAR: savepoint  savepoints
VAR: saver  savers
VAR: saves  savess
VAR: saving  savings
VAR: savor  savored
VAR: saw  saws
VAR: say  saying says
VAR: saying  sayings
VAR: sbi  sbis
VAR: sbiobject  sbiobjects
VAR: sc  scs
VAR: sca  scas
VAR: scaffold  scaffolding scaffolds
VAR: scal  scaled scaling
VAR: scalar  scalars
VAR: scale  scales
VAR: scaling  scalings
VAR: scam  scams
VAR: scamper  scampering
VAR: scan  scans
VAR: scan-convert  scan-converted scan-converting scan-converts
VAR: scan-line  scan-lines
VAR: scan_line  scan_lines
VAR: scancode  scancodes
VAR: scandal  scandals
VAR: scanedge  scanedges
VAR: scanline  scanlines
VAR: scanner  scanners
VAR: scanurl  scanurls
VAR: scar  scared scars
VAR: scare  scares
VAR: scatter  scattered scattering
VAR: scavenge  scavenges
VAR: scavenger  scavengers
VAR: scc  sccs
VAR: scenario  scenarios
VAR: scene  scenes
VAR: sch  sched
VAR: schedule  schedules
VAR: scheduler  schedulers
VAR: schema  schemas
VAR: schematic  schematics
VAR: scheme  schemes
VAR: schemer  schemers
VAR: scholar  scholars
VAR: scholarship  scholarships
VAR: school  schooled schooling schools
VAR: schoolkid  schoolkids
VAR: science  sciences
VAR: scientist  scientists
VAR: scm  scms
VAR: sco  scos
VAR: scode  scodes
VAR: scoff  scoffed scoffing
VAR: scold  scolded scolding
VAR: scoop  scooped scooping
VAR: scope  scopes
VAR: scor  scored scoring
VAR: score  scores
VAR: scoreboard  scoreboarding scoreboards
VAR: scorn  scorned
VAR: scott  scotts
VAR: scoundrel  scoundrels
VAR: scount  scounts
VAR: scour  scoured scouring
VAR: scout  scouting
VAR: scramble  scrambles
VAR: scrap  scraped scraping scraps
VAR: scratch  scratched scratching
VAR: scrawl  scrawled scrawls
VAR: scream  screamed screaming screams
VAR: screech  screeching
VAR: screen  screened screening screens
VAR: screen-buffer  screen-buffered
VAR: screen-reader  screen-readers
VAR: screen_put_color  screen_put_colors
VAR: screenfull  screenfulls
VAR: screening  screenings
VAR: screenline  screenlines
VAR: screw  screwed screwing screws
VAR: screw-up  screw-ups
VAR: scribble  scribbles
VAR: scribe  scribes
VAR: script  scripted scripting scripts
VAR: scripter  scripters
VAR: scroll  scrolled scrolling scrolls
VAR: scroll-bar  scroll-bars
VAR: scrollbar  scrollbars
VAR: scroller  scrollers
VAR: scsi-izer  scsi-izers
VAR: sculpt  sculpted sculpting
VAR: sculpture  sculptures
VAR: scurry  scurrying
VAR: sd  sds
VAR: sdk  sdks
VAR: se  seed ses
VAR: sea  seas
VAR: seal  sealed sealing seals
VAR: seam  seams
VAR: search  searched searching
VAR: searchfile  searchfiles
VAR: searchstr  searchstring
VAR: searle  searles
VAR: seashell  seashells
VAR: season  seasoned seasons
VAR: seat  seated seating seats
VAR: sec  secs
VAR: secant  secants
VAR: second  seconded seconds
VAR: second-guess  second-guessing
VAR: secret  secrets
VAR: secretion  secretions
VAR: section  sections
VAR: sector  sectored sectors
VAR: secure  secures
VAR: security-attribute  security-attributes
VAR: securitymanager  securitymanagers
VAR: see  seeing sees
VAR: seed  seeded seeding seeds
VAR: seek  seeking seeks
VAR: seem  seemed seeming seems
VAR: seg  segs
VAR: segment  segmented segmenting segments
VAR: segmentation  segmentations
VAR: segreg  segregs
VAR: segregate  segregates
VAR: segue  segues
VAR: seize  seizes
VAR: seizure  seizures
VAR: sel  sels
VAR: select  selected selecting selects
VAR: selection  selections
VAR: selector  selectors
VAR: self-adjust  self-adjusting
VAR: self-block  self-blocking
VAR: self-destruct  self-destructing self-destructs
VAR: self-diagnostic  self-diagnostics
VAR: self-intersect  self-intersecting
VAR: self-intersection  self-intersections
VAR: self-subclass  self-subclassing
VAR: self-test  self-testing
VAR: sell  selling sells
VAR: seller  sellers
VAR: semantic  semantics
VAR: semaphore  semaphores
VAR: semi-colon  semi-colons
VAR: semicolon  semicolons
VAR: semiconductor  semiconductors
VAR: seminar  seminars
VAR: semispace  semispaces
VAR: senator  senators
VAR: send  sending sends
VAR: send_  send_s
VAR: sendcr  sendcrs
VAR: sender  senders
VAR: sendmessage  sendmessages
VAR: senior  seniors
VAR: sensation  sensations
VAR: sense  senses
VAR: sensor  sensors
VAR: sentence  sentences
VAR: sentiment  sentiments
VAR: sentinel  sentinels
VAR: separate  separates
VAR: separation  separations
VAR: separator  separators
VAR: sequel  sequels
VAR: sequence  sequences
VAR: sequencer  sequencers
VAR: ser  sers
VAR: serial-communication  serial-communications
VAR: serialize  serializes
VAR: serializer  serializers
VAR: serif  serifs
VAR: sermon  sermons
VAR: serv  served serving
VAR: servant  servants
VAR: serve  serves
VAR: server  servers
VAR: service  services
VAR: service_type  service_types
VAR: servlet  servlets
VAR: servo  servos
VAR: session  sessions
VAR: set  sets
VAR: setback  setbacks
VAR: setbit  setbits
VAR: setbutton  setbuttons
VAR: setchar  setchars
VAR: setcolor  setcolors
VAR: setcolumn  setcolumns
VAR: setf  setfs
VAR: setmargin  setmargins
VAR: setmenu  setmenus
VAR: setobject  setobjects
VAR: setpo  setpos
VAR: setprop  setprops
VAR: setreg  setregs
VAR: setrow  setrows
VAR: setscale  setscales
VAR: setscrollbar  setscrollbars
VAR: setstep  setsteps
VAR: sett  setting
VAR: setter  setters
VAR: setting  settings
VAR: settle  settles
VAR: settlement  settlements
VAR: settop  settops
VAR: setup  setups
VAR: setvalue  setvalues
VAR: setvar  setvars
VAR: seventh  sevenths
VAR: sever  severed severing severs
VAR: sew  sewing
VAR: sf  sfs
VAR: sft  sfts
VAR: sg  sgs
VAR: sh  shed
VAR: shackle  shackles
VAR: shade  shades
VAR: shader  shaders
VAR: shading  shadings
VAR: shadow  shadowed shadowing shadows
VAR: shake  shakes
VAR: shaker  shakers
VAR: shape  shapes
VAR: shar  shared sharing
VAR: share  shares
VAR: sharedcontainer  sharedcontainers
VAR: sharedvar  sharedvars
VAR: shareholder  shareholders
VAR: sharing  sharings
VAR: shark  sharks
VAR: sharp  sharped sharps
VAR: sharpen  sharpening
VAR: shatter  shattering
VAR: shbuf  shbufs
VAR: shear  sheared shearing shears
VAR: shed  sheds
VAR: sheet  sheets
VAR: shell  shelling shells
VAR: shepard  shepards
VAR: shepherd  shepherding
VAR: sherlock  sherlocked
VAR: shft  shfts
VAR: shield  shielded shielding shields
VAR: shift  shifted shifting shifts
VAR: shifter  shifters
VAR: shifting  shiftings
VAR: shiftkey  shiftkeys
VAR: shimmer  shimmering
VAR: shine  shines
VAR: ship  ships
VAR: shipimage  shipimages
VAR: shipment  shipments
VAR: shirt  shirts
VAR: shoal  shoals
VAR: shock  shocked shocking shocks
VAR: shoe  shoes
VAR: shoehorn  shoehorned shoehorning
VAR: shoot  shooting shoots
VAR: shop  shops
VAR: shoplift  shoplifting
VAR: shopper  shoppers
VAR: shor  shored
VAR: shore  shores
VAR: short  shorted shorts
VAR: short-circuit  short-circuited short-circuits
VAR: short-cut  short-cuts
VAR: shortage  shortages
VAR: shortcoming  shortcomings
VAR: shortcut  shortcuts
VAR: shorten  shortened shortening shortens
VAR: shortfall  shortfalls
VAR: shot  shots
VAR: shoulder  shoulders
VAR: shout  shouted shouting shouts
VAR: shovel  shoveled shoveling shovels
VAR: show  showed showing shows
VAR: showcase  showcases
VAR: shower  showered
VAR: showfile  showfiles
VAR: showptr  showptrs
VAR: shr  shred
VAR: shredder  shredders
VAR: shrink  shrinking shrinks
VAR: shrite  shrites
VAR: shroud  shrouded shrouds
VAR: shrug  shrugs
VAR: shudder  shuddered
VAR: shuffle  shuffles
VAR: shut  shuts
VAR: shutdown  shutdowns
VAR: shutter  shuttering shutters
VAR: shuttle  shuttles
VAR: shy  shying
VAR: si  sis
VAR: sibling  siblings
VAR: sid  sided siding
VAR: side  sides
VAR: side-effect  side-effects
VAR: sidebar  sidebars
VAR: sideline  sidelines
VAR: sidestep  sidesteps
VAR: sidetrack  sidetracked
VAR: sidewalk  sidewalks
VAR: siding  sidings
VAR: sidl  sidling
VAR: sieve  sieves
VAR: sift  sifted sifting sifts
VAR: sig  sigs
VAR: sigh  sighed
VAR: sight  sighted sighting sights
VAR: sighting  sightings
VAR: sign  signed signing signs
VAR: signal  signaled signaling signals
VAR: signature  signatures
VAR: signify  signifying
VAR: signpost  signposts
VAR: sigwait  sigwaiting
VAR: sim  sims
VAR: simm  simms
VAR: simmer  simmering
VAR: simplification  simplifications
VAR: simplify  simplifying
VAR: simpson  simpsons
VAR: simulate  simulates
VAR: simulation  simulations
VAR: simulator  simulators
VAR: sin  sins
VAR: sine  sines
VAR: sinfo  sinfos
VAR: sing  singed singing sings
VAR: singer  singers
VAR: single  singles
VAR: single-click  single-clicking
VAR: single-dimension  single-dimensioned
VAR: single-point  single-pointed
VAR: single-step  single-steps
VAR: single-task  single-tasking
VAR: single-thread  single-threaded
VAR: singleton  singletons
VAR: sink  sinking sinks
VAR: sip  sips
VAR: sir  sired
VAR: siren  sirens
VAR: sis  siss
VAR: siskiyou  siskiyous
VAR: sister  sisters
VAR: sit  sits
VAR: site  sites
VAR: situation  situations
VAR: sixer  sixers
VAR: siz  sized sizing
VAR: size  sizes
VAR: sizeof  sizeofs
VAR: sizer  sizers
VAR: skate  skates
VAR: skeleton  skeletons
VAR: skeptic  skeptics
VAR: sketch  sketched sketching
VAR: skew  skewed skewing
VAR: ski  skiing skis
VAR: skid  skids
VAR: skier  skiers
VAR: skill  skilled skills
VAR: skim  skims
VAR: skin  skins
VAR: skip  skips
VAR: skipsystemwindow  skipsystemwindows
VAR: skirmish  skirmishing
VAR: skulk  skulked skulking
VAR: skyline  skylines
VAR: skyrocket  skyrocketed skyrocketing
VAR: skyscraper  skyscrapers
VAR: sl  sled sling
VAR: slack  slacks
VAR: slam  slams
VAR: slant  slanted slanting
VAR: slap  slaps
VAR: slash  slashed slashing
VAR: slat  slated
VAR: slave  slaves
VAR: slaver  slavering
VAR: slay  slaying
VAR: slc  slcs
VAR: sled  sleds
VAR: sledgehammer  sledgehammers
VAR: sleep  sleeping sleeps
VAR: sleeve  sleeves
VAR: sleuth  sleuthing
VAR: slice  slices
VAR: slid  sliding
VAR: slide  slides
VAR: slidebar  slidebars
VAR: slider  sliders
VAR: slight  slighted
VAR: sline  slines
VAR: sling  slinging slings
VAR: slip  slips
VAR: slit  slits
VAR: sliver  slivers
VAR: slogan  slogans
VAR: slop  sloped sloping
VAR: slope  slopes
VAR: slot  slots
VAR: slotname  slotnames
VAR: slouch  slouching
VAR: slough  sloughed
VAR: slow  slowed slowing slows
VAR: slow-down  slow-downs
VAR: slowdown  slowdowns
VAR: slug  slugs
VAR: slumber  slumbers
VAR: slump  slumped slumping
VAR: sm  sms
VAR: smack  smacking
VAR: smalltalk  smalltalks
VAR: smart  smarting smarts
VAR: smartcard  smartcards
VAR: smash  smashed smashing
VAR: smb  smbs
VAR: smear  smears
VAR: smell  smelling smells
VAR: smile  smiles
VAR: smiley  smileys
VAR: smirk  smirked
VAR: smith  smiths
VAR: smoker  smokers
VAR: smokescreen  smokescreens
VAR: smolder  smoldering
VAR: smooth  smoothed smoothing smooths
VAR: smoothing  smoothings
VAR: smp  smps
VAR: snafu  snafus
VAR: snag  snags
VAR: snail  snails
VAR: snake  snakes
VAR: snap  snaps
VAR: snapshot  snapshots
VAR: snarl  snarled snarls
VAR: sneak  sneaked sneaking sneaks
VAR: sneaker  sneakers
VAR: sneer  sneered sneering sneers
VAR: snicker  snickered snickering
VAR: sniff  sniffed sniffing sniffs
VAR: sniffer  sniffers
VAR: snippet  snippets
VAR: snob  snobs
VAR: snoop  snooping snoops
VAR: snooper  snoopers
VAR: snort  snorted snorts
VAR: snow  snowed snows
VAR: snowball  snowballs
VAR: snuff  snuffed
VAR: so  sos
VAR: soak  soaked soaking soaks
VAR: soap  soaps
VAR: soapbox  soapboxed
VAR: soar  soared soaring soars
VAR: sob  sobs
VAR: sober  sobering
VAR: sociologist  sociologists
VAR: sock  socks
VAR: socket  socketed sockets
VAR: socket-read  socket-reading
VAR: soda  sodas
VAR: soften  softening
VAR: softlab  softlabs
VAR: software-component  software-components
VAR: software-ic  software-ics
VAR: software-market  software-marketing
VAR: software-patent  software-patenting
VAR: software-solution  software-solutions
VAR: soiree  soirees
VAR: solder  soldered soldering
VAR: soldier  soldiers
VAR: solicit  solicited soliciting
VAR: solid  solids
VAR: solidify  solidifying
VAR: solo  soloing solos
VAR: solstice  solstices
VAR: solution  solutions
VAR: solve  solves
VAR: solver  solvers
VAR: sometime  sometimes
VAR: somewhere  somewheres
VAR: somobject  somobjects
VAR: son  sons
VAR: sonar  sonars
VAR: song  songs
VAR: songwriter  songwriters
VAR: sonic  sonics
VAR: sooner  sooners
VAR: soop  soops
VAR: soothsayer  soothsayers
VAR: sort  sorted sorting sorts
VAR: sort-order  sort-orders
VAR: sortedcollection  sortedcollections
VAR: soul  souls
VAR: sound  sounded sounding sounds
VAR: soundcard  soundcards
VAR: soundscape  soundscapes
VAR: soup  soups
VAR: source  sources
VAR: source_file_name  source_file_names
VAR: sourcer  sourcered
VAR: soviet  soviets
VAR: sp  sped sps
VAR: spa  spas
VAR: space  spaces
VAR: spaceship  spaceships
VAR: spacing  spacings
VAR: spade  spades
VAR: span  spans
VAR: sparc-station  sparc-stations
VAR: sparcstation  sparcstations
VAR: spare  spares
VAR: spark  sparked sparks
VAR: sparkle  sparkles
VAR: sparkling  sparklings
VAR: spasm  spasms
VAR: spat  spats
VAR: spawn  spawned spawning spawns
VAR: spe  speed
VAR: speak  speaking speaks
VAR: speaker  speakers
VAR: spec  specs
VAR: special  specials
VAR: special-case  special-cases
VAR: special-effect  special-effects
VAR: special-function  special-functions
VAR: specialist  specialists
VAR: specialization  specializations
VAR: specialize  specializes
VAR: specializer  specializers
VAR: specific  specifics
VAR: specification  specifications
VAR: specificcommand  specificcommands
VAR: specifier  specifiers
VAR: specify  specifying
VAR: specmark  specmarks
VAR: specter  specters
VAR: speculate  speculates
VAR: speculation  speculations
VAR: speech-enable  speech-enables
VAR: speed  speeded speeding speeds
VAR: speed-up  speed-ups
VAR: speedup  speedups
VAR: spell  spelled spelling spells
VAR: spell-check  spell-checking
VAR: spellchecker  spellcheckers
VAR: spelling  spellings
VAR: spelunk  spelunking
VAR: spend  spending spends
VAR: spew  spewed spewing spews
VAR: sphere  spheres
VAR: spid  spids
VAR: spie  spies
VAR: spike  spikes
VAR: spill  spilled spilling spills
VAR: spin  spins
VAR: spin-off  spin-offs
VAR: spine  spines
VAR: spinlock  spinlocks
VAR: spinner  spinners
VAR: spinoff  spinoffs
VAR: spiral  spiraling spirals
VAR: spirit  spirits
VAR: spit  spiting spits
VAR: spl  spls
VAR: splash  splashed splashing
VAR: splay  splayed splaying
VAR: splaying  splayings
VAR: splice  splices
VAR: spline  splines
VAR: split  splits
VAR: splitbar  splitbars
VAR: splitter  splitters
VAR: spo  spos
VAR: spoil  spoiled spoiling
VAR: spoke  spokes
VAR: spokesperson  spokespersons
VAR: sponsor  sponsored sponsoring sponsors
VAR: spoof  spoofed spoofing spoofs
VAR: spook  spooked spooks
VAR: spool  spooled spooling
VAR: spooler  spoolers
VAR: spoon  spoons
VAR: sport  sported sporting sports
VAR: spot  spots
VAR: spotlight  spotlights
VAR: spouse  spouses
VAR: spr  spring
VAR: sprawl  sprawling
VAR: spray  sprayed spraying
VAR: spread  spreading spreads
VAR: spreadsheet  spreadsheets
VAR: spree  sprees
VAR: spring  springing springs
VAR: sprinkler  sprinklers
VAR: sprint  sprinted
VAR: sprite  sprites
VAR: sprout  sprouted sprouting sprouts
VAR: sps  spss
VAR: spur  spurs
VAR: spy  spying
VAR: sq  sqs
VAR: sql  sqls
VAR: sqlstr  sqlstring
VAR: sqltable  sqltables
VAR: sqltype  sqltypes
VAR: sqlwindow  sqlwindows
VAR: squabble  squabbles
VAR: squad  squads
VAR: squander  squandered squandering
VAR: square  squares
VAR: squaring  squarings
VAR: squash  squashed squashing
VAR: squat  squats
VAR: squawk  squawking squawks
VAR: squeak  squeaking
VAR: squeal  squealing squeals
VAR: squeeze  squeezes
VAR: squelch  squelched squelching
VAR: squint  squinting
VAR: squirm  squirming
VAR: squirt  squirting squirts
VAR: srb  srbs
VAR: src  srcs
VAR: sre  sres
VAR: sreg  sregs
VAR: srm  srms
VAR: srvtype  srvtypes
VAR: ss  ssed sss
VAR: ssi  ssis
VAR: sss  ssss
VAR: ssss  sssss
VAR: st  sting sts
VAR: sta  stas
VAR: stab  stabs
VAR: stack  stacked stacking stacks
VAR: stack-rank  stack-ranks
VAR: stackdump  stackdumps
VAR: stacker  stackers
VAR: stackhead  stackheads
VAR: stackwindow  stackwindows
VAR: staff  staffed staffing staffs
VAR: stag  staged staging
VAR: stage  stages
VAR: stagger  staggered staggering
VAR: stain  stained stains
VAR: stak  staked staking
VAR: stake  stakes
VAR: stall  stalled stalling stalls
VAR: stalling  stallings
VAR: stamp  stamped stamping stamps
VAR: stance  stances
VAR: stand  standing stands
VAR: stand-alone  stand-alones
VAR: standalone  standalones
VAR: standard  standards
VAR: standardize  standardizes
VAR: standby  standbys
VAR: stander  standers
VAR: standing  standings
VAR: staple  staples
VAR: star  stared staring stars
VAR: starbase  starbases
VAR: starbuck  starbucks
VAR: stare  stares
VAR: starr  starred starring
VAR: start  started starting starts
VAR: start-up  start-ups
VAR: starter  starters
VAR: starttrack  starttracking
VAR: startup  startups
VAR: starve  starves
VAR: stash  stashed stashing
VAR: stat  stated stating stats
VAR: state  states
VAR: state-machine  state-machines
VAR: statechart  statecharts
VAR: statement  statements
VAR: static  statics
VAR: station  stations
VAR: statistic  statistics
VAR: statistician  statisticians
VAR: statu  status
VAR: statue  statues
VAR: statusbar  statusbars
VAR: statute  statutes
VAR: stauffer  stauffers
VAR: stay  stayed staying stays
VAR: std  stds
VAR: stddlg  stddlgs
VAR: steal  stealing steals
VAR: steam  steamed steaming
VAR: steamship  steamships
VAR: stearn  stearns
VAR: steep  steeped
VAR: steer  steered steering
VAR: stem  stems
VAR: stencil  stenciling stencils
VAR: step  steps
VAR: stephen  stephens
VAR: stepper  steppers
VAR: stepping  steppings
VAR: stereo  stereos
VAR: stereogram  stereograms
VAR: stereographic  stereographics
VAR: steve  steves
VAR: steven  stevens
VAR: stew  stewed
VAR: stewpot  stewpots
VAR: stf  stfs
VAR: stick  sticking sticks
VAR: sticker  stickers
VAR: stickler  sticklers
VAR: stifle  stifles
VAR: still  stills
VAR: stimulate  stimulates
VAR: stin  stins
VAR: stink  stinks
VAR: stint  stints
VAR: stipulate  stipulates
VAR: stipulation  stipulations
VAR: stir  stirs
VAR: stk_ptr  stk_ptrs
VAR: stmt  stmts
VAR: sto  stos
VAR: stock  stocked stocking stocks
VAR: stockbroker  stockbrokers
VAR: stockholder  stockholders
VAR: stoke  stokes
VAR: stomp  stomping stomps
VAR: stone  stones
VAR: stonewall  stonewalled
VAR: stooge  stooges
VAR: stoop  stooped
VAR: stop  stops
VAR: stopbit  stopbits
VAR: stopp  stopped stopping
VAR: stor  stored storing
VAR: storage  storages
VAR: store  stores
VAR: storm  stormed storming storms
VAR: stove  stoves
VAR: str  string strs
VAR: straddle  straddles
VAR: straighten  straightened straightening straightens
VAR: straightjacket  straightjacketing
VAR: strain  strained straining strains
VAR: strand  strands
VAR: stranger  strangers
VAR: strat  strats
VAR: strategist  strategists
VAR: stratify  stratifying
VAR: straus  strauss
VAR: stray  strayed straying strays
VAR: strcat  strcats
VAR: strcpy  strcpying strcpys
VAR: streak  streaking
VAR: stream  streamed streaming streams
VAR: streamline  streamlines
VAR: street  streets
VAR: strength  strengths
VAR: strengthen  strengthened strengthens
VAR: strengthener  strengtheners
VAR: stress  stressed stressing
VAR: stretch  stretched stretching
VAR: stride  strides
VAR: strider  striders
VAR: strike  strikes
VAR: strike-through  strike-throughs
VAR: string  stringing strings
VAR: string-search  string-searching
VAR: stringlistelement  stringlistelements
VAR: strip  striping strips
VAR: stripe  stripes
VAR: strive  strives
VAR: strobe  strobes
VAR: stroke  strokes
VAR: stroll  strolled strolling
VAR: struc  strucs
VAR: struct  structs
VAR: structure  structures
VAR: struggle  struggles
VAR: strut  struts
VAR: sts  stss
VAR: stt  stts
VAR: stub  stubs
VAR: stubber  stubbers
VAR: stud  studs
VAR: student  students
VAR: studio  studios
VAR: study  studying
VAR: stuff  stuffed stuffing stuffs
VAR: stuffer  stuffers
VAR: stumble  stumbles
VAR: stump  stumped stumps
VAR: stunt  stunts
VAR: style  styles
VAR: su  sued suing
VAR: sub  subs
VAR: sub-coupling  sub-couplings
VAR: sub-interval  sub-intervals
VAR: sub-menu  sub-menus
VAR: sub-program  sub-programs
VAR: sub-string  sub-strings
VAR: sub-system  sub-systems
VAR: sub-tree  sub-trees
VAR: suballocator  suballocators
VAR: subarray  subarrays
VAR: subband  subbands
VAR: subblock  subblocks
VAR: subchunk  subchunks
VAR: subclass  subclassed subclassing
VAR: subcommittee  subcommittees
VAR: subcomponent  subcomponents
VAR: subcontractor  subcontractors
VAR: subcube  subcubes
VAR: subdevice  subdevices
VAR: subdiagram  subdiagrams
VAR: subdir  subdirs
VAR: subdivide  subdivides
VAR: subdivision  subdivisions
VAR: subdriver  subdrivers
VAR: subexpression  subexpressions
VAR: subfield  subfields
VAR: subfolder  subfolders
VAR: subform  subforms
VAR: subfunction  subfunctions
VAR: subgoal  subgoals
VAR: subgraph  subgraphs
VAR: subgroup  subgroups
VAR: subhandler  subhandlers
VAR: subhead  subheading subheads
VAR: subheading  subheadings
VAR: subhuman  subhumans
VAR: subinstruction  subinstructions
VAR: subinterval  subintervals
VAR: subitem  subitems
VAR: subject  subjected subjecting subjects
VAR: subkey  subkeys
VAR: sublist  sublists
VAR: submenu  submenus
VAR: submessage  submessages
VAR: submission  submissions
VAR: submit  submited submits
VAR: submodel  submodels
VAR: submodule  submodules
VAR: submultiple  submultiples
VAR: subnet  subnets
VAR: subnetwork  subnetworks
VAR: subobject  subobjects
VAR: subordinate  subordinates
VAR: subpane  subpanes
VAR: subpart  subparts
VAR: subpattern  subpatterns
VAR: subpixel  subpixels
VAR: subpoena  subpoenas
VAR: subprocedure  subprocedures
VAR: subprogram  subprograms
VAR: subquadrant  subquadrants
VAR: subrange  subranges
VAR: subrectangle  subrectangles
VAR: subregion  subregions
VAR: subroutine  subroutines
VAR: subscribe  subscribes
VAR: subscriber  subscribers
VAR: subscript  subscripted subscripting subscripts
VAR: subscription  subscriptions
VAR: subsection  subsections
VAR: subsequence  subsequences
VAR: subset  subsets
VAR: subside  subsides
VAR: subspace  subspaces
VAR: subst  substed
VAR: substance  substances
VAR: substantiate  substantiates
VAR: substatement  substatements
VAR: substitute  substitutes
VAR: substitution  substitutions
VAR: substr  substring
VAR: substream  substreams
VAR: substring  substrings
VAR: substructure  substructures
VAR: subsum  subsumed subsuming
VAR: subsume  subsumes
VAR: subsystem  subsystems
VAR: subtask  subtasks
VAR: subtest  subtests
VAR: subtitle  subtitles
VAR: subtopic  subtopics
VAR: subtotal  subtotaling subtotals
VAR: subtract  subtracted subtracting subtracts
VAR: subtracter  subtracters
VAR: subtraction  subtractions
VAR: subtree  subtrees
VAR: subtype  subtypes
VAR: suburb  suburbs
VAR: subvector  subvectors
VAR: subvert  subverted subverting subverts
VAR: subview  subviews
VAR: subwindow  subwindows
VAR: succeed  succeeded succeeding succeeds
VAR: successor  successors
VAR: succulent  succulents
VAR: succumb  succumbed succumbing
VAR: suck  sucked sucking sucks
VAR: sucker  suckered suckers
VAR: sue  sues
VAR: suffer  suffered suffering suffers
VAR: suffice  suffices
VAR: suffix  suffixed suffixing
VAR: suggest  suggested suggesting suggests
VAR: suggestion  suggestions
VAR: suicide  suicides
VAR: suit  suited suiting suits
VAR: suitcase  suitcases
VAR: suite  suites
VAR: suitor  suitors
VAR: sum  sums
VAR: summ  summed summing
VAR: summarize  summarizes
VAR: summation  summations
VAR: summer  summers
VAR: summit  summits
VAR: summon  summoned summoning summons
VAR: sumr  sumred
VAR: sun  suns
VAR: sun3  sun3s
VAR: sun4  sun4s
VAR: sunday  sundays
VAR: sunflower  sunflowers
VAR: sunset  sunsets
VAR: super-vga  super-vgas
VAR: superclass  superclassed superclassing
VAR: supercomputer  supercomputers
VAR: superior  superiors
VAR: supermarket  supermarkets
VAR: superpattern  superpatterns
VAR: superscript  superscripted superscripting superscripts
VAR: supersede  supersedes
VAR: superset  supersets
VAR: superstar  superstars
VAR: superstition  superstitions
VAR: superstore  superstores
VAR: supertype  supertypes
VAR: supervga  supervgas
VAR: supervise  supervises
VAR: supervisor  supervisors
VAR: superwindow  superwindows
VAR: supplant  supplanted supplanting supplants
VAR: supplement  supplemented supplementing supplements
VAR: supplier  suppliers
VAR: supply  supplying
VAR: support  supported supporting supports
VAR: supporter  supporters
VAR: suppose  supposes
VAR: suppress  suppressed suppressing
VAR: surf  surfed surfing surfs
VAR: surface  surfaces
VAR: surface-mount  surface-mounted
VAR: surfer  surfers
VAR: surge  surges
VAR: surgeon  surgeons
VAR: surname  surnames
VAR: surpass  surpassed surpassing
VAR: surprise  surprises
VAR: surrender  surrendered surrendering surrenders
VAR: surrogate  surrogates
VAR: surround  surrounded surrounding surrounds
VAR: surrounding  surroundings
VAR: survey  surveyed surveying surveys
VAR: survive  survives
VAR: survivor  survivors
VAR: suspect  suspected suspecting suspects
VAR: suspend  suspended suspends
VAR: suspicion  suspicions
VAR: sustain  sustained sustaining sustains
VAR: sv  svs
VAR: svv  svvs
VAR: sw  swing
VAR: swallow  swallowed swallowing swallows
VAR: swamp  swamped swamping swamps
VAR: swan  swans
VAR: swap  swaping swaps
VAR: swapp  swapped swapping
VAR: swarm  swarmed swarming swarms
VAR: sway  swayed swaying
VAR: swear  swears
VAR: sweat  sweating
VAR: sweater  sweaters
VAR: sweatshirt  sweatshirts
VAR: sweep  sweeping sweeps
VAR: sweet  sweets
VAR: swell  swelled swelling swells
VAR: swim  swims
VAR: swimmer  swimmers
VAR: swing  swinging swings
VAR: swipe  swipes
VAR: swirl  swirled swirling
VAR: switch  switched switching
VAR: switchboard  switchboards
VAR: switcher  switchers
VAR: sword  swords
VAR: sx  sxs
VAR: sy  sys
VAR: syllable  syllables
VAR: sym  syms
VAR: symbol  symbols
VAR: symbolic  symbolics
VAR: symbolize  symbolizes
VAR: symposium  symposiums
VAR: symptom  symptoms
VAR: synapse  synapses
VAR: synaptic  synaptics
VAR: sync  syncing syncs
VAR: synch  synched
VAR: synchronization  synchronizations
VAR: synchronize  synchronizes
VAR: synchronizer  synchronizers
VAR: syndrome  syndromes
VAR: synonym  synonyms
VAR: syntax-check  syntax-checked syntax-checking
VAR: synthesize  synthesizes
VAR: synthesizer  synthesizers
VAR: sys/time  sys/times
VAR: sysadmin  sysadmins
VAR: syscall  syscalls
VAR: syslib  syslibs
VAR: sysop  sysops
VAR: system  systems
VAR: system-build  system-building
VAR: system-diagnostic  system-diagnostics
VAR: system-service  system-services
VAR: system_output  system_outputs
VAR: t  ted ting ts
VAR: t-junction  t-junctions
VAR: t-shirt  t-shirts
VAR: t1  t1s
VAR: t800  t800s
VAR: t_f  t_fs
VAR: ta  taed tas
VAR: tab  tabs
VAR: table  tables
VAR: tableau  tableaus
VAR: tablet  tablets
VAR: tabloid  tabloids
VAR: tabstop  tabstops
VAR: tack  tacked tacking tacks
VAR: tackle  tackles
VAR: tactic  tactics
VAR: tag  tags
VAR: tagmemic  tagmemics
VAR: tagsterisk  tagsterisks
VAR: tail  tailing tails
VAR: tailor  tailored tailoring tailors
VAR: take  takes
VAR: take_fork  take_forks
VAR: takeover  takeovers
VAR: taker  takers
VAR: tale  tales
VAR: talent  talented talents
VAR: talk  talked talking talks
VAR: talker  talkers
VAR: tally  tallying
VAR: tam  tamed taming
VAR: tame  tames
VAR: tamper  tampered tampering
VAR: tamper-proof  tamper-proofing
VAR: tangent  tangents
VAR: tangle  tangles
VAR: tank  tanks
VAR: tanker  tankers
VAR: tao  taos
VAR: tap  taped taping taps
VAR: tap-dance  tap-dances
VAR: tapci  tapcis
VAR: tape  tapes
VAR: target  targeted targeting targets
VAR: tariff  tariffs
VAR: task  tasked tasking tasks
VAR: task-switch  task-switched task-switching
VAR: task2  task2s
VAR: task_  task_s
VAR: task_wait  task_waiting
VAR: taskbar  taskbars
VAR: taskswitch  taskswitching
VAR: tast  tasted tasting
VAR: taste  tastes
VAR: tattoo  tattooed tattoos
VAR: tawkscript  tawkscripts
VAR: tax  taxed taxing
VAR: taxi  taxis
VAR: taxpayer  taxpayers
VAR: tb  tbs
VAR: tbit  tbits
VAR: tbl  tbls
VAR: tbyte  tbytes
VAR: tc  tcs
VAR: tchar  tchars
VAR: tcmd  tcmds
VAR: tcompress  tcompressed
VAR: tcontrol  tcontrols
VAR: td  tds
VAR: tdataset  tdatasets
VAR: te  tes
VAR: tea  teas
VAR: teach  teaching
VAR: teacher  teachers
VAR: teaching  teachings
VAR: team  teamed teaming teams
VAR: tear  tearing tears
VAR: teas  teased teasing
VAR: teaser  teasers
VAR: techie  techies
VAR: technician  technicians
VAR: technique  techniques
VAR: technologist  technologists
VAR: technophile  technophiles
VAR: tedit  tedits
VAR: tee  tees
VAR: teenager  teenagers
VAR: teeter  teeters
VAR: tektronic  tektronics
VAR: tel  tels
VAR: telco  telcos
VAR: tele-communication  tele-communications
VAR: telecar  telecars
VAR: telecom  telecoms
VAR: telecommunication  telecommunications
VAR: telecommuter  telecommuters
VAR: telephone  telephones
VAR: telescope  telescopes
VAR: teletype  teletypes
VAR: teletypewriter  teletypewriters
VAR: television  televisions
VAR: tell  telling tells
VAR: teller  tellers
VAR: telnet  telneting
VAR: temp  temps
VAR: temper  tempered
VAR: temperature  temperatures
VAR: tempest  tempests
VAR: template  templates
VAR: temployee  temployees
VAR: tempo  tempos
VAR: tempstr  tempstring
VAR: temptation  temptations
VAR: ten  tens
VAR: tenant  tenants
VAR: tend  tended tending tends
VAR: tender  tendered
VAR: tendril  tendrils
VAR: tenet  tenets
VAR: tens  tensed
VAR: tense  tenses
VAR: tension  tensions
VAR: tensor  tensors
VAR: tent  tents
VAR: tenth  tenths
VAR: tenure  tenures
VAR: terabyte  terabytes
VAR: teraflop  teraflops
VAR: term  termed terms
VAR: termcap  termcaps
VAR: terminal  terminals
VAR: terminate  terminates
VAR: termination  terminations
VAR: terminator  terminators
VAR: termlist  termlists
VAR: terrabyte  terrabytes
VAR: terrorist  terrorists
VAR: tessellation  tessellations
VAR: test  tested testing tests
VAR: testament  testaments
VAR: testbed  testbeds
VAR: testboard  testboards
VAR: tester  testers
VAR: testify  testifying
VAR: testimonial  testimonials
VAR: testpas  testpass
VAR: tetrahedron  tetrahedrons
VAR: texel  texels
VAR: text  texted texts
VAR: text-display  text-displaying
VAR: text-edit  text-editing
VAR: text-search  text-searching
VAR: text-to-phonetic  text-to-phonetics
VAR: textarea  textareas
VAR: textbook  textbooks
VAR: textextent  textextents
VAR: textfield  textfields
VAR: textfile  textfiles
VAR: texture  textures
VAR: texturemap  texturemaps
VAR: tg  tgs
VAR: tgssystem  tgssystems
VAR: th  thing
VAR: tha  thas
VAR: thank  thanked thanking thanks
VAR: that--a  that--as
VAR: the  thes
VAR: theater  theaters
VAR: theft  thefts
VAR: their  theirs
VAR: thekey  thekeys
VAR: thelink  thelinks
VAR: them  themed
VAR: theme  themes
VAR: theorem  theorems
VAR: theoretician  theoreticians
VAR: theorist  theorists
VAR: therapist  therapists
VAR: thermocouple  thermocouples
VAR: thermodynamic  thermodynamics
VAR: thermometer  thermometers
VAR: thermostat  thermostats
VAR: these  theses
VAR: thestr  thestring
VAR: thin  thins
VAR: thing  things
VAR: think  thinking thinks
VAR: thinker  thinkers
VAR: third  thirded thirds
VAR: thirst  thirsting
VAR: thorn  thorns
VAR: thought  thoughts
VAR: thousand  thousands
VAR: thousandth  thousandths
VAR: thr_suspend  thr_suspended
VAR: thrash  thrashed thrashing
VAR: thread  threaded threading threads
VAR: threat  threats
VAR: threaten  threatened threatening threatens
VAR: three  threes
VAR: three-dimension  three-dimensions
VAR: three-fourth  three-fourths
VAR: three-quarter  three-quarters
VAR: three-tier  three-tiered
VAR: threshhold  threshholding
VAR: threshold  thresholding thresholds
VAR: thrill  thrilled thrilling thrills
VAR: thrive  thrives
VAR: throat  throats
VAR: throng  throngs
VAR: throttle  throttles
VAR: through  throughs
VAR: throw  throwing throws
VAR: throwaway  throwaways
VAR: throwback  throwbacks
VAR: thrust  thrusting thrusts
VAR: thruster  thrusters
VAR: thu  thus
VAR: thumb  thumbing thumbs
VAR: thumbnail  thumbnails
VAR: thump  thumping
VAR: thunder  thundering
VAR: thunderstorm  thunderstorms
VAR: thunk  thunked thunking thunks
VAR: thwart  thwarted thwarting thwarts
VAR: ti  tied tis
VAR: tic  tics
VAR: tick  ticked ticking ticks
VAR: ticket  tickets
VAR: ticklet  ticklets
VAR: tid  tids
VAR: tidbit  tidbits
VAR: tidy  tidying tidys
VAR: tie  ties
VAR: tie-in  tie-ins
VAR: tier  tiers
VAR: tiger  tigers
VAR: tighten  tightened tightening tightens
VAR: til  tiled tiling
VAR: tilde  tildes
VAR: tile  tiles
VAR: tilt  tilted tilting tilts
VAR: tim  timed timing tims
VAR: time  times
VAR: time--a  time--as
VAR: time-out  time-outs
VAR: time-slice  time-slices
VAR: time-stamp  time-stamped
VAR: time-step  time-steps
VAR: time-waster  time-wasters
VAR: timebase  timebases
VAR: timeline  timelines
VAR: timelines  timeliness
VAR: timeout  timeouts
VAR: timer  timers
VAR: timerobserver  timerobservers
VAR: timeron  timerons
VAR: timesaver  timesavers
VAR: timeslice  timeslices
VAR: timestamp  timestamping timestamps
VAR: timestr  timestring
VAR: timetable  timetables
VAR: timewidget  timewidgets
VAR: timezone  timezones
VAR: timing  timings
VAR: ting  tinged
VAR: tinker  tinkered tinkering tinkers
VAR: tinkerer  tinkerers
VAR: tinymud  tinymuds
VAR: tion  tioning tions
VAR: tip  tips
VAR: tirade  tirades
VAR: tire  tires
VAR: titan  titans
VAR: title  titles
VAR: titledbutton  titledbuttons
VAR: tl  tls
VAR: tlabel  tlabels
VAR: tlb  tlbs
VAR: tlu  tlus
VAR: tm  tms
VAR: tn  tns
VAR: tname  tnames
VAR: tnc  tncs
VAR: tno  tnoed
VAR: tnode  tnodes
VAR: to  tos
VAR: toast  toasting
VAR: toaster  toasters
VAR: toc  tocs
VAR: toe  toes
VAR: toggle  toggles
VAR: toil  toiled toiling
VAR: token  tokens
VAR: tokenize  tokenizes
VAR: tokenizer  tokenizers
VAR: tolerance  tolerances
VAR: tolerate  tolerates
VAR: toll  tolls
VAR: tomb  tombs
VAR: tome  tomes
VAR: ton  tons
VAR: tonal  tonals
VAR: tone  tones
VAR: tongue  tongues
VAR: took  tooks
VAR: tool  tooling tools
VAR: toolbar  toolbars
VAR: toolchest  toolchests
VAR: toolkit  toolkits
VAR: toolset  toolsets
VAR: tooltip  tooltips
VAR: toot  tooted tooting toots
VAR: tooth  toothed
VAR: top  tops
VAR: topic  topics
VAR: topicblockheader  topicblockheaders
VAR: torment  tormenting
VAR: torpedo  torpedoing
VAR: torque  torques
VAR: torrent  torrents
VAR: tort  torts
VAR: torture-test  torture-tests
VAR: tos  toss
VAR: toss  tossed tossing
VAR: total  totaled totaling totals
VAR: total_space  total_spaces
VAR: touch  touched touching
VAR: touch-up  touch-ups
VAR: touchscreen  touchscreens
VAR: tour  touring tours
VAR: tourist  tourists
VAR: tournament  tournaments
VAR: tout  touted touting touts
VAR: tow  towed
VAR: toward  towards
VAR: tower  towering towers
VAR: town  towns
VAR: toy  toyed toying toys
VAR: tp  tps
VAR: tprogram  tprograms
VAR: tpropval  tpropvals
VAR: tpu  tpus
VAR: tr  tring
VAR: trace  traces
VAR: traceback  tracebacks
VAR: tracepoint  tracepoints
VAR: track  tracked tracking tracks
VAR: trackball  trackballs
VAR: trackbar  trackbars
VAR: tracker  trackers
VAR: tract  tracts
VAR: trad  traded trading
VAR: trade  trades
VAR: trade-off  trade-offs
VAR: trade-secret  trade-secrets
VAR: trademark  trademarked trademarking trademarks
VAR: tradeoff  tradeoffs
VAR: trader  traders
VAR: tradiobutton  tradiobuttons
VAR: tradition  traditions
VAR: trail  trailed trailing trails
VAR: trailer  trailers
VAR: train  trained training trains
VAR: trainee  trainees
VAR: trainer  trainers
VAR: trait  traits
VAR: trak  traking
VAR: tram  trams
VAR: trampoline  trampolines
VAR: tran  trans
VAR: tranfer  tranfered
VAR: tranformation  tranformations
VAR: transact  transacted
VAR: transaction  transactioning transactions
VAR: transceiver  transceivers
VAR: transcend  transcended transcending transcends
VAR: transcendental  transcendentals
VAR: transcript  transcripts
VAR: transcription  transcriptions
VAR: transducer  transducers
VAR: transfer  transfered transfers
VAR: transform  transformed transforming transforms
VAR: transformation  transformations
VAR: transformer  transformers
VAR: transgression  transgressions
VAR: transient  transients
VAR: transistor  transistors
VAR: transit  transiting transits
VAR: transition  transitioning transitions
VAR: translate  translates
VAR: translation  translations
VAR: translator  translators
VAR: transmission  transmissions
VAR: transmit  transmits
VAR: transmitt  transmitted transmitting
VAR: transmitter  transmitters
VAR: transpire  transpires
VAR: transplant  transplanted transplants
VAR: transport  transported transporting transports
VAR: transpose  transposes
VAR: transposition  transpositions
VAR: transputer  transputers
VAR: trap  traping traps
VAR: trap_gopher  trap_gophers
VAR: trapdoor  trapdoors
VAR: trapezoid  trapezoids
VAR: trapp  trapped trapping
VAR: trapper  trappers
VAR: trapping  trappings
VAR: trash  trashed trashing
VAR: travail  travails
VAR: travel  traveled traveling travels
VAR: traveler  travelers
VAR: travers  traversed traversing
VAR: traversal  traversals
VAR: traverse  traverses
VAR: tray  trays
VAR: tread  treading
VAR: treadmill  treadmills
VAR: treap  treaps
VAR: treasure  treasures
VAR: treat  treated treating treats
VAR: treatment  treatments
VAR: tree  trees
VAR: trend  trending trends
VAR: trespass  trespassing
VAR: tri  tried
VAR: tri-state  tri-states
VAR: triac  triacs
VAR: trial  trials
VAR: triangle  triangles
VAR: triangulation  triangulations
VAR: tribe  tribes
VAR: tribute  tributes
VAR: trick  tricked tricking tricks
VAR: trickle  trickles
VAR: trie  tries
VAR: trifle  trifles
VAR: trigger  triggered triggering triggers
VAR: trigraph  trigraphs
VAR: trillion  trillions
VAR: trim  trims
VAR: trimaran  trimarans
VAR: trip  trips
VAR: trip_record  trip_records
VAR: triple  triples
VAR: triple-click  triple-clicking
VAR: triple-decker  triple-deckers
VAR: triplet  triplets
VAR: triumph  triumphing
VAR: trivialize  trivializes
VAR: troll  trolling
VAR: tromp  tromped tromping tromps
VAR: trot  trots
VAR: trouble  troubles
VAR: troubleshoot  troubleshooting troubleshoots
VAR: trouser  trousers
VAR: trove  troves
VAR: trs-80  trs-80s
VAR: truck  trucked trucking trucks
VAR: trucker  truckers
VAR: true  trues
VAR: truism  truisms
VAR: trumpet  trumpeting
VAR: truncate  truncates
VAR: truncation  truncations
VAR: trunk  trunks
VAR: truss  trussing
VAR: trust  trusted trusting trusts
VAR: trustee  trustees
VAR: truth  truths
VAR: try  trying trys
VAR: ts  tss
VAR: tsd  tsds
VAR: tspline  tsplines
VAR: tsr  tsring tsrs
VAR: tsrs  tsrss
VAR: tss  tsss
VAR: tst  tsts
VAR: tstr  tstring
VAR: tstream  tstreams
VAR: tstring  tstrings
VAR: tt  tts
VAR: tub  tubing
VAR: tuba  tubas
VAR: tube  tubes
VAR: tuck  tucked tucks
VAR: tug  tugs
VAR: tumbleweed  tumbleweeds
VAR: tun  tuned tuning
VAR: tune  tunes
VAR: tuner  tuners
VAR: tunnel  tunneled tunneling tunnels
VAR: tuple  tuples
VAR: tur  turing
VAR: turbo  turbos
VAR: turbocharge  turbocharges
VAR: turk  turks
VAR: turkey  turkeys
VAR: turn  turned turning turns
VAR: turnaround  turnarounds
VAR: turtle  turtles
VAR: tussle  tussles
VAR: tutor  tutored tutoring tutors
VAR: tutorial  tutorials
VAR: tv  tvs
VAR: tvdemo  tvdemos
VAR: twe  tweed
VAR: tweak  tweaked tweaking tweaks
VAR: tween  tweened tweening tweens
VAR: twentieth  twentieths
VAR: twiddle  twiddles
VAR: twin  twins
VAR: twincontrol  twincontrols
VAR: twinkle  twinkles
VAR: twip  twips
VAR: twist  twisted twisting twists
VAR: twit  twits
VAR: twitch  twitched twitching
VAR: two  twos
VAR: two-part  two-parts
VAR: two-tier  two-tiered
VAR: two-tuple  two-tuples
VAR: tx  txs
VAR: ty  tying tys
VAR: typ  typed typing
VAR: type  typeed types
VAR: type-cast  type-casting
VAR: type-check  type-checked type-checking type-checks
VAR: type_  type_s
VAR: type_name  type_names
VAR: typecast  typecasting typecasts
VAR: typecheck  typechecking
VAR: typedef  typedefed typedefs
VAR: typeface  typefaces
VAR: typemap  typemaps
VAR: types--integer  types--integers
VAR: typesetter  typesetters
VAR: typewriter  typewriters
VAR: typist  typists
VAR: typo  typos
VAR: u  us
VAR: u/  u/s
VAR: uae  uaeed uaeing uaes
VAR: uart  uarts
VAR: ubyte  ubytes
VAR: uc  ucs
VAR: uchar  uchars
VAR: ucr  ucred
VAR: ud  uds
VAR: uence  uences
VAR: uf  ufs
VAR: ui  uis
VAR: ulcer  ulcers
VAR: uliteration  uliterations
VAR: ultralight  ultralights
VAR: umb  umbs
VAR: umlaut  umlauts
VAR: un  uned uns
VAR: unbind  unbinding
VAR: unblock  unblocked unblocking unblocks
VAR: unbound  unbounded
VAR: unbuffer  unbuffered unbuffering
VAR: unchain  unchains
VAR: uncheck  unchecked unchecking unchecks
VAR: unclutter  uncluttered
VAR: uncomment  uncommented uncommenting
VAR: uncompress  uncompressed uncompressing
VAR: unconstrain  unconstrained
VAR: uncover  uncovered uncovering uncovers
VAR: undef  undefing
VAR: undefine  undefines
VAR: underbar  underbars
VAR: underestimate  underestimates
VAR: underflow  underflowed underflows
VAR: undergo  undergoing
VAR: undergrad  undergrads
VAR: undergraduate  undergraduates
VAR: underlay  underlays
VAR: underlie  underlies
VAR: underline  underlines
VAR: undermine  undermines
VAR: underpin  underpins
VAR: underpinning  underpinnings
VAR: underscore  underscores
VAR: understand  understanding understands
VAR: undertake  undertakes
VAR: undertaking  undertakings
VAR: undither  undithering
VAR: undo  undoing undos
VAR: unearth  unearthed unearthing
VAR: unemploy  unemployed
VAR: unencrypt  unencrypted
VAR: unexport  unexported
VAR: unflatten  unflattened
VAR: unfold  unfolded unfolding unfolds
VAR: unhook  unhooked unhooking unhooks
VAR: unifier  unifiers
VAR: unify  unifying
VAR: uninitialize  uninitializes
VAR: uninstall  uninstalled uninstalling uninstalls
VAR: union  unioned unioning unions
VAR: unit  united uniting units
VAR: unite  unites
VAR: universal  universals
VAR: universalprocptr  universalprocptrs
VAR: universe  universes
VAR: unix  unixs
VAR: unknowable  unknowables
VAR: unknown  unknowns
VAR: unlearn  unlearning
VAR: unleash  unleashed unleashing
VAR: unlimber  unlimbering
VAR: unlink  unlinked unlinking unlinks
VAR: unload  unloaded unloading unloads
VAR: unlock  unlocked unlocking unlocks
VAR: unmanage  unmanages
VAR: unmap  unmaps
VAR: unmark  unmarked unmarking unmarks
VAR: unmarshal  unmarshaled unmarshaling unmarshals
VAR: unmask  unmasked unmasking
VAR: unmix  unmixed unmixing
VAR: unmount  unmounted unmounting unmounts
VAR: unmunge  unmunges
VAR: unpack  unpacked unpacking unpacks
VAR: unprotect  unprotected
VAR: unpublish  unpublished
VAR: unravel  unraveled unraveling unravels
VAR: unread  unreads
VAR: unregister  unregistered unregistering unregisters
VAR: unroll  unrolled unrolling unrolls
VAR: unscrew  unscrewed
VAR: unseat  unseated
VAR: unselect  unselected
VAR: unshift  unshifted
VAR: unsigned  unsigneds
VAR: unsort  unsorted unsorting
VAR: untangle  untangles
VAR: unveil  unveiled unveiling
VAR: unwind  unwinding unwinds
VAR: unwind-protect  unwind-protects
VAR: unzip  unzips
VAR: unzoom  unzooms
VAR: up  ups
VAR: upcast  upcasts
VAR: update  updates
VAR: upgrade  upgrades
VAR: upheaval  upheavals
VAR: uphold  upholds
VAR: upload  uploaded uploading uploads
VAR: upp  upped upping
VAR: upper-bound  upper-bounding upper-bounds
VAR: upset  upsets
VAR: upshift  upshifted
VAR: upstart  upstarts
VAR: upward  upwards
VAR: ur  urs
VAR: urge  urges
VAR: url  urls
VAR: us  used using uss
VAR: usage  usages
VAR: use  uses
VAR: user  users
VAR: user-interface  user-interfaces
VAR: user-ize  user-izes
VAR: user-support  user-supported
VAR: userevent  userevents
VAR: userid  userids
VAR: usertype  usertypes
VAR: usher  ushered ushering
VAR: usp  usps
VAR: uss  usss
VAR: ustring  ustrings
VAR: usual  usuals
VAR: usurp  usurped usurping
VAR: util  utils
VAR: utilize  utilizes
VAR: utter  uttered uttering
VAR: utterance  utterances
VAR: uuid  uuids
VAR: v  vs
VAR: v_type  v_types
VAR: vacation  vacations
VAR: val  vals
VAR: valid  valids
VAR: validate  validates
VAR: validatecodesegment  validatecodesegments
VAR: validation  validations
VAR: valley  valleys
VAR: value  values
VAR: valueptr  valueptrs
VAR: valuestr  valuestring
VAR: valuestring  valuestrings
VAR: valve  valves
VAR: van  vans
VAR: vanish  vanished vanishing
VAR: vap  vaps
VAR: var  vars
VAR: var-parameter  var-parameters
VAR: var_type  var_types
VAR: vararg  varargs
VAR: varchar  varchars
VAR: varg  vargs
VAR: vari  varied
VAR: variable  variables
VAR: variablevalue  variablevalues
VAR: variance  variances
VAR: variant  variants
VAR: variation  variations
VAR: varible  varibles
VAR: vary  varying
VAR: varying  varyings
VAR: vat  vats
VAR: vatican  vaticans
VAR: vault  vaulted vaulting vaults
VAR: vax  vaxs
VAR: vbar  vbars
VAR: vbscript  vbscripts
VAR: vbx  vbxs
VAR: vcl  vcls
VAR: vcr  vcrs
VAR: vd  vds
VAR: vdata  vdatas
VAR: vdc  vdcs
VAR: vde  vdes
VAR: vdm  vdms
VAR: vds  vdss
VAR: ve  ves
VAR: vec  vecs
VAR: vect  vects
VAR: vector  vectored vectoring vectors
VAR: vectorizer  vectorizers
VAR: vega  vegas
VAR: vegetable  vegetables
VAR: vehicle  vehicles
VAR: veil  veiled veils
VAR: vein  veins
VAR: vend  vended vending vends
VAR: vendor  vendors
VAR: venture  ventures
VAR: venue  venues
VAR: ver  vers
VAR: verb  verbed verbs
VAR: verde  verdes
VAR: verge  verges
VAR: verification  verifications
VAR: verify  verifying
VAR: veronica  veronicas
VAR: vers  versed
VAR: verse  verses
VAR: version  versioned versioning versions
VAR: vert  verts
VAR: vertical  verticals
VAR: vertice  vertices
VAR: vessel  vessels
VAR: vest  vested
VAR: veteran  veterans
VAR: veterinarian  veterinarians
VAR: veto  vetoing
VAR: vf  vfs
VAR: vflag  vflags
VAR: vga  vgas
VAR: vgroup  vgroups
VAR: vh  vhs
VAR: vi  vis
VAR: via  vias
VAR: vibration  vibrations
VAR: vice  vices
VAR: victim  victims
VAR: victor  victors
VAR: vid  vids
VAR: video  videos
VAR: videodisc  videodiscs
VAR: videomode  videomodes
VAR: videorec  videorecs
VAR: videotape  videotapes
VAR: view  viewed viewing views
VAR: viewer  viewers
VAR: viewmode  viewmodes
VAR: viewpoint  viewpoints
VAR: viewport  viewports
VAR: vignette  vignettes
VAR: village  villages
VAR: villain  villains
VAR: vine  vines
VAR: vineyard  vineyards
VAR: viola  violas
VAR: violate  violates
VAR: violation  violations
VAR: violator  violators
VAR: vip  vips
VAR: virgin  virgins
VAR: virtual  virtuals
VAR: virtualize  virtualizes
VAR: virtue  virtues
VAR: visa  visas
VAR: visigenic  visigenics
VAR: vision  visions
VAR: visit  visited visiting visits
VAR: visitation  visitations
VAR: visitor  visitors
VAR: visor  visors
VAR: visual  visuals
VAR: visualization  visualizations
VAR: visualizer  visualizers
VAR: vital  vitals
VAR: vlm  vlms
VAR: vm  vms
VAR: vmap  vmaps
VAR: vmcb  vmcbs
VAR: vmd  vmds
VAR: vme  vmes
VAR: vms  vmss
VAR: vmt  vmts
VAR: voc  vocs
VAR: vocal  vocals
VAR: vocoder  vocoders
VAR: voice  voices
VAR: voicing  voicings
VAR: void  voided voids
VAR: vol  vols
VAR: volley  volleys
VAR: volt  volts
VAR: voltage  voltages
VAR: volume  volumes
VAR: volunteer  volunteered volunteering volunteers
VAR: vote  votes
VAR: voter  voters
VAR: vowel  vowels
VAR: vp  vps
VAR: vpl  vpls
VAR: vpn  vpns
VAR: vpnode  vpnodes
VAR: vptr  vptrs
VAR: vr  vrs
VAR: vre  vres
VAR: vsb  vsbs
VAR: vsd  vsds
VAR: vsession  vsessions
VAR: vt100  vt100s
VAR: vtable  vtables
VAR: vtbl  vtbls
VAR: vulture  vultures
VAR: vup  vups
VAR: vxd  vxds
VAR: vy  vying
VAR: w  wed wing ws
VAR: w3object  w3objects
VAR: wa  was
VAR: wad  waded wading wads
VAR: wade  wades
VAR: wafer  wafers
VAR: wage  wages
VAR: wagon  wagons
VAR: wai  wais
VAR: wait  waited waiting waits
VAR: waiter  waiters
VAR: waitformultipleevent  waitformultipleevents
VAR: waitforstring  waitforstrings
VAR: waitstate  waitstates
VAR: wake  wakes
VAR: wakebit  wakebits
VAR: wakeup  wakeups
VAR: walk  walked walking walks
VAR: walk-through  walk-throughs
VAR: walkthrough  walkthroughs
VAR: wall  walls
VAR: wall-slice  wall-slices
VAR: wallpaper  wallpapered
VAR: walter  walters
VAR: wam  waming
VAR: wan  waning wans
VAR: wander  wandered wandering wanders
VAR: wanna-be  wanna-bes
VAR: wannabe  wannabes
VAR: want  wanted wanting wants
VAR: war  wars
VAR: ward  warded
VAR: ware  wares
VAR: warehouse  warehouses
VAR: warm  warmed warming warms
VAR: warn  warned warning warns
VAR: warning  warnings
VAR: warp  warped warping warps
VAR: warrant  warranted warrants
VAR: warrior  warriors
VAR: wart  warts
VAR: wash  washed washing
VAR: washtub  washtubs
VAR: waste  wastes
VAR: wastebasket  wastebaskets
VAR: watch  watched watching
VAR: watch-point  watch-points
VAR: watchdog  watchdogs
VAR: watcher  watchers
VAR: watchpoint  watchpoints
VAR: watchword  watchwords
VAR: water  watering waters
VAR: waterfall  waterfalls
VAR: watermark  watermarks
VAR: watt  watts
VAR: wav  waved waving
VAR: wave  waves
VAR: waveform  waveforms
VAR: wavelength  wavelengths
VAR: wavelet  wavelets
VAR: wavfile  wavfiles
VAR: wax  waxed waxing
VAR: way  ways
VAR: wc  wcs
VAR: wchar_t  wchar_ts
VAR: wd  wds
VAR: wday  wdays
VAR: wdef  wdefs
VAR: we  weed wes
VAR: weaken  weakened weakens
VAR: wean  weaned
VAR: weapon  weapons
VAR: wear  wearing wears
VAR: weather  weathered weathering
VAR: weave  weaves
VAR: weaver  weavers
VAR: web  webs
VAR: webb  webbed
VAR: weblet  weblets
VAR: webmaster  webmasters
VAR: webmeister  webmeisters
VAR: webobject  webobjects
VAR: website  websites
VAR: webster  websters
VAR: wedge  wedges
VAR: weed  weeded weeding weeds
VAR: week  weeks
VAR: weekday  weekdays
VAR: weekend  weekends
VAR: weenie  weenies
VAR: weigh  weighed weighing weighs
VAR: weight  weighted weighting weights
VAR: weighting  weightings
VAR: welcome  welcomes
VAR: weld  welded welding welds
VAR: well  wells
VAR: well-establish  well-established
VAR: wep  weps
VAR: whack  whacking whacks
VAR: whale  whales
VAR: whatever  whatevers
VAR: wheel  wheeled wheeling wheels
VAR: wheelchair  wheelchairs
VAR: whetmat  whetmats
VAR: whetstone  whetstones
VAR: while  whiles
VAR: whim  whims
VAR: whimper  whimpering
VAR: whip  whips
VAR: whirl  whirling whirls
VAR: whisker  whiskers
VAR: whisper  whispered whispering whispers
VAR: whispering  whisperings
VAR: whistle  whistles
VAR: white  whites
VAR: whiteboard  whiteboards
VAR: whitesmith  whitesmiths
VAR: whole  wholes
VAR: whoosh  whooshing
VAR: why  whys
VAR: wi  wis
VAR: widen  widened widening widens
VAR: widget  widgets
VAR: widow  widows
VAR: width  widths
VAR: wield  wielding wields
VAR: wiggle  wiggles
VAR: wild-card  wild-cards
VAR: wildcard  wildcarded wildcarding wildcards
VAR: will  willed willing
VAR: willi  willis
VAR: william  williams
VAR: willie  willies
VAR: willow  willows
VAR: win  wins
VAR: win32  win32s
VAR: winapp  winapps
VAR: winc  winced wincs
VAR: wind  winded winding winds
VAR: windmill  windmills
VAR: windo  windos
VAR: window  windowed windowing windows
VAR: windowtype  windowtypes
VAR: wine  wines
VAR: winer  winers
VAR: winext  winexted
VAR: winfile  winfiles
VAR: wing  winging wings
VAR: wingbitmap  wingbitmaps
VAR: wink  winking
VAR: winner  winners
VAR: winproc  winprocs
VAR: winter  winters
VAR: wipe  wipes
VAR: wiper  wipers
VAR: wire  wires
VAR: wireframe  wireframes
VAR: wiretap  wiretaps
VAR: wis  wised
VAR: wish  wished wishing
VAR: wit  wits
VAR: with  withs
VAR: withdraw  withdrawing withdraws
VAR: withdrawal  withdrawals
VAR: wither  withered withers
VAR: withhold  withholding withholds
VAR: withstand  withstanding
VAR: witness  witnessed witnessing
VAR: wizard  wizards
VAR: wk  wks
VAR: wline  wlines
VAR: wm  wms
VAR: wm_mousemove  wm_mousemoves
VAR: wndproc  wndprocs
VAR: wo  wos
VAR: wobject  wobjects
VAR: woe  woes
VAR: wonder  wondered wondering wonders
VAR: woo  wooing
VAR: wood  woods
VAR: woodwork  woodworks
VAR: woop  woops
VAR: word  worded wording words
VAR: word-align  word-aligned
VAR: word-count  word-counting
VAR: word-processor  word-processors
VAR: word-wrap  word-wraps
VAR: word32  word32s
VAR: wording  wordings
VAR: worditem  worditems
VAR: work  worked working works
VAR: work-around  work-arounds
VAR: work-station  work-stations
VAR: workalike  workalikes
VAR: workaround  workarounds
VAR: workbook  workbooks
VAR: workday  workdays
VAR: worker  workers
VAR: workgroup  workgroups
VAR: working  workings
VAR: workload  workloads
VAR: workout  workouts
VAR: workplace  workplaces
VAR: workplaceobject  workplaceobjects
VAR: worksheet  worksheets
VAR: workshop  workshops
VAR: workspace  workspaces
VAR: workstation  workstations
VAR: workstr  workstring
VAR: workwindow  workwindows
VAR: world  worlds
VAR: world-wide-web  world-wide-webs
VAR: worm  worms
VAR: worry  worrying
VAR: worsen  worsening worsens
VAR: worship  worships
VAR: wound  wounded wounds
VAR: wow  wowing
VAR: wp  wps
VAR: wput  wputs
VAR: wr  wring wrs
VAR: wrangle  wrangles
VAR: wrap  wraps
VAR: wrapper  wrappered wrappers
VAR: wrapping  wrappings
VAR: wreak  wreaked wreaking
VAR: wreck  wrecked wrecking
VAR: wren  wrens
VAR: wrest  wrested
VAR: wring  wringing
VAR: wrinkle  wrinkles
VAR: writ  writing
VAR: write  writes
VAR: write-protect  write-protected
VAR: write_file  write_files
VAR: write_protect  write_protected
VAR: writeback  writebacks
VAR: writebyte  writebytes
VAR: writechar  writechars
VAR: writeline  writelines
VAR: writeln  writelning
VAR: writer  writers
VAR: writestr  writestring
VAR: writing  writings
VAR: wrong  wrongs
VAR: ws  wss
VAR: wsocket  wsockets
VAR: wstr  wstring
VAR: wt  wts
VAR: wucolor  wucolors
VAR: wwuid  wwuids
VAR: wye  wyes
VAR: x  xing xs
VAR: x+h  x+hs
VAR: x-coordinate  x-coordinates
VAR: x-event  x-events
VAR: x-intercept  x-intercepts
VAR: x-ray  x-rays
VAR: x-sort  x-sorted x-sorting
VAR: x-span  x-spans
VAR: x-terminal  x-terminals
VAR: x-wall  x-walls
VAR: x-window  x-windows
VAR: x/window  x/windows
VAR: x86  x86s
VAR: xarg  xargs
VAR: xcenter  xcentered
VAR: xcmd  xcmds
VAR: xcol  xcols
VAR: xcolumn  xcolumns
VAR: xd  xds
VAR: xdrawline  xdrawlines
VAR: xerox  xeroxed
VAR: xfcn  xfcns
VAR: xfer  xfered xfers
VAR: xk  xks
VAR: xl  xls
VAR: xm  xms
VAR: xmit  xmits
VAR: xn  xns
VAR: xor  xored xoring xors
VAR: xp  xps
VAR: xr  xring
VAR: xrefid  xrefids
VAR: xspan  xspans
VAR: xstr  xstring
VAR: xt  xts
VAR: xtaddaction  xtaddactions
VAR: xtran  xtrans
VAR: xw  xws
VAR: xy-pair  xy-pairs
VAR: xyfail  xyfailed
VAR: xypoint  xypoints
VAR: xysendbyte  xysendbytes
VAR: y  yed ying ys
VAR: y+v  y+vs
VAR: y-coordinate  y-coordinates
VAR: y-dimension  y-dimensions
VAR: y-direction  y-directions
VAR: y-intercept  y-intercepts
VAR: y-span  y-spans
VAR: y-v  y-vs
VAR: y-value  y-values
VAR: y-wall  y-walls
VAR: yahoo  yahoos
VAR: yank  yanked yanking yanks
VAR: yankee  yankees
VAR: yard  yards
VAR: yawn  yawns
VAR: ycenter  ycentered
VAR: ye  yes
VAR: year  years
VAR: yearn  yearning
VAR: yell  yelled yelling
VAR: yellow  yellowed
VAR: yesno  yesnos
VAR: yield  yielded yielding yields
VAR: ym  yms
VAR: yorker  yorkers
VAR: youngster  youngsters
VAR: your  yours
VAR: yourdon  yourdons
VAR: youth  youths
VAR: ys  yss
VAR: yspan  yspans
VAR: ystr  ystring
VAR: yup  yups
VAR: yval  yvals
VAR: z  zed zs
VAR: z-80  z-80s
VAR: z-buffer  z-buffered z-buffering
VAR: z-coordinate  z-coordinates
VAR: z-dimension  z-dimensions
VAR: z-order  z-ordering
VAR: z-sort  z-sorted z-sorting
VAR: z-value  z-values
VAR: z80  z80s
VAR: zapp  zapping
VAR: zbuf  zbufs
VAR: zealot  zealots
VAR: zero  zeroed zeroing zeros
VAR: zero-fill  zero-filled
VAR: zero-suppress  zero-suppressed
VAR: zillion  zillions
VAR: zip  zips
VAR: zipper  zippered
VAR: zm  zms
VAR: zombie  zombies
VAR: zone  zones
VAR: zoom  zoomed zooming zooms

#
###########################################################################
# Local Variables:
# mode:perl
# coding:latin-1
# End:
