├── LICENSE ├── go.mod ├── typo.go ├── typo.png ├── unix ├── LICENSE.pdf ├── README.md ├── salt ├── typo.c └── w2006.txt └── w2006.txt /LICENSE: -------------------------------------------------------------------------------- 1 | Copyright (c) 2012 The Go Authors. All rights reserved. 2 | 3 | Redistribution and use in source and binary forms, with or without 4 | modification, are permitted provided that the following conditions are 5 | met: 6 | 7 | * Redistributions of source code must retain the above copyright 8 | notice, this list of conditions and the following disclaimer. 9 | * Redistributions in binary form must reproduce the above 10 | copyright notice, this list of conditions and the following disclaimer 11 | in the documentation and/or other materials provided with the 12 | distribution. 13 | * The names of its contributors may not be used to endorse or 14 | promote products derived from this software without specific prior 15 | written permission. 16 | 17 | THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS 18 | "AS IS" AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT 19 | LIMITED TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR 20 | A PARTICULAR PURPOSE ARE DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT 21 | OWNER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL, 22 | SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT 23 | LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, 24 | DATA, OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY 25 | THEORY OF LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT 26 | (INCLUDING NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE 27 | OF THIS SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE. 28 | -------------------------------------------------------------------------------- /go.mod: -------------------------------------------------------------------------------- 1 | module robpike.io/cmd/typo 2 | 3 | go 1.19 4 | -------------------------------------------------------------------------------- /typo.go: -------------------------------------------------------------------------------- 1 | // Copyright 2013 The Go Authors. All rights reserved. 2 | // Use of this source code is governed by a BSD-style 3 | // license that can be found in the LICENSE file. 4 | 5 | // Typo is a modern version of the original Unix typo command, a scan of whose man page 6 | // is at 7 | // 8 | // https://github.com/robpike/typo/blob/master/typo.png 9 | // 10 | // and whose early C source code is in the unix subdirectory of this repo. 11 | // 12 | // This Go version ignores nroff but handles Unicode and can strip simple HTML tags. 13 | // It provides location information for each typo, including the byte number on the line. 14 | // It also identifies repeated words, a a typographical error that occurs often. 15 | // 16 | // The -r flag suppresses reporting repeated words. 17 | // The -n and -t flags control how many "typos" to print.' 18 | // The -html flag enables simple filtering of HTML from the input. 19 | // 20 | // See the comments in the source for a description of the algorithm, extracted 21 | // from Bell Labs CSTR 18 by Robert Morris and Lorinda L. Cherry. 22 | package main // import "robpike.io/cmd/typo" 23 | 24 | // A test case, with With punctuation. zxyz. Make sure the oddball on this line scores highly. (It does.) 25 | // Also make sure that "with" shows up doubled despite the case change. 26 | 27 | import ( 28 | "bufio" 29 | "bytes" 30 | _ "embed" 31 | "flag" 32 | "fmt" 33 | "io" 34 | "math" 35 | "os" 36 | "sort" 37 | "strings" 38 | "unicode" 39 | "unicode/utf8" 40 | ) 41 | 42 | //go:embed w2006.txt 43 | var wordsFile []byte 44 | 45 | var ( 46 | nTypos = flag.Int("n", 50, "maximum number of words to print") 47 | noRepeats = flag.Bool("r", false, "don't show repeated words words") 48 | threshold = flag.Int("t", 10, "cutoff threshold; smaller means more words") 49 | filterHTML = flag.Bool("html", false, "filter HTML tags from input") 50 | ) 51 | 52 | func init() { 53 | if unicode.IsPunct('<') { 54 | // This must be true for HTML filtering to work. 55 | fmt.Fprintf(os.Stderr, "typo: unicode says < is punctuation") 56 | *filterHTML = false 57 | } 58 | } 59 | 60 | func main() { 61 | flag.Parse() 62 | for _, w := range read("", bytes.NewReader(wordsFile), bufio.ScanWords) { 63 | known[w] = true 64 | } 65 | if len(flag.Args()) == 0 { 66 | add("", os.Stdin) 67 | } 68 | for _, f := range flag.Args() { 69 | add(f, nil) 70 | } 71 | repeats() 72 | stats() 73 | spell() 74 | } 75 | 76 | type Word struct { 77 | text string // The original. 78 | lower *string // The word in lower case; may point to original. 79 | file string 80 | lineNum int 81 | byteNum int 82 | score int 83 | } 84 | 85 | func (w Word) String() string { 86 | if w.score == 0 { 87 | return fmt.Sprintf("%s:%d:%d %s", w.file, w.lineNum, w.byteNum, w.text) 88 | } else { 89 | return fmt.Sprintf("%s:%d:%d [%d] %s", w.file, w.lineNum, w.byteNum, w.score, w.text) 90 | } 91 | } 92 | 93 | // Sort interfaces for []*Word 94 | type ByScore []*Word 95 | 96 | func (t ByScore) Len() int { 97 | return len(t) 98 | } 99 | 100 | func (t ByScore) Less(i, j int) bool { 101 | w1 := t[i] 102 | w2 := t[j] 103 | return w1.score > w2.score // Sort down 104 | } 105 | 106 | func (t ByScore) Swap(i, j int) { 107 | t[i], t[j] = t[j], t[i] 108 | } 109 | 110 | type ByWord []*Word 111 | 112 | func (t ByWord) Len() int { 113 | return len(t) 114 | } 115 | 116 | func (t ByWord) Less(i, j int) bool { 117 | w1 := t[i] 118 | w2 := t[j] 119 | return w1.text < w2.text 120 | } 121 | 122 | func (t ByWord) Swap(i, j int) { 123 | t[i], t[j] = t[j], t[i] 124 | } 125 | 126 | var words = make([]*Word, 0, 1000) 127 | var known = make(map[string]bool) // loaded from knownWordsFiles 128 | 129 | func read(file string, r io.Reader, split bufio.SplitFunc) []string { 130 | if r == nil { 131 | f, err := os.Open(file) 132 | if err != nil { 133 | fmt.Fprintf(os.Stdout, "typo: %s\n", err) 134 | os.Exit(2) 135 | } 136 | defer f.Close() 137 | r = f 138 | } 139 | scanner := bufio.NewScanner(r) 140 | scanner.Split(split) 141 | words := make([]string, 0, 1000) 142 | for scanner.Scan() { 143 | words = append(words, scanner.Text()) 144 | } 145 | if err := scanner.Err(); err != nil { 146 | fmt.Fprintf(os.Stdout, "typo: reading %s: %s\n", file, err) 147 | os.Exit(2) 148 | } 149 | return words 150 | } 151 | 152 | func add(file string, r io.Reader) { 153 | lines := read(file, r, bufio.ScanLines) 154 | for lineNum, line := range lines { 155 | inWord := false 156 | wordStart := 1 157 | for byteNum, c := range line { 158 | switch { 159 | case inWord && unicode.IsSpace(c): 160 | addWord(line[wordStart:byteNum], file, lineNum+1, wordStart+1) 161 | inWord = false 162 | case !inWord && !unicode.IsSpace(c): 163 | inWord = true 164 | wordStart = byteNum 165 | } 166 | } 167 | if inWord { 168 | addWord(line[wordStart:], file, lineNum+1, wordStart+1) 169 | } 170 | } 171 | } 172 | 173 | // leadingHTMLLen returns the length of all HTML tags at the start of the text. 174 | // It assumes a tag goes from an initial "<" to the first closing ">". 175 | func leadingHTMLLen(text string) int { 176 | if len(text) == 0 || text[0] != '<' { 177 | return 0 178 | } 179 | n := strings.IndexRune(text, '>') 180 | if n < 0 { 181 | return 0 182 | } 183 | n++ // Absorb closing '>'. 184 | return n + leadingHTMLLen(text[n:]) 185 | } 186 | 187 | // trailingHTMLLen mirrors leadingHTMLLen at the end of the text. 188 | func trailingHTMLLen(text string) int { 189 | if len(text) == 0 || text[len(text)-1] != '>' { 190 | return 0 191 | } 192 | // TODO: There should be a LastIndexRune. 193 | n := strings.LastIndex(text, "<") 194 | if n < 0 { 195 | return 0 196 | } 197 | return len(text) - n + trailingHTMLLen(text[:len(text)-n]) 198 | } 199 | 200 | func addWord(text, file string, lineNum, byteNum int) { 201 | // Note: '<' is not punctuation according to Unicode. 202 | n := len(text) 203 | text = strings.TrimLeftFunc(text, unicode.IsPunct) 204 | byteNum += n - len(text) 205 | text = strings.TrimRightFunc(text, unicode.IsPunct) 206 | if *filterHTML { 207 | // Easily defeated by spaces and newlines, but gets things like foo. 208 | n := leadingHTMLLen(text) 209 | text = text[n:] 210 | byteNum += n 211 | n = trailingHTMLLen(text) 212 | text = text[:len(text)-n] 213 | if len(text) == 0 { 214 | return 215 | } 216 | n = len(text) 217 | text = strings.TrimLeftFunc(text, unicode.IsPunct) 218 | byteNum += n - len(text) 219 | text = strings.TrimRightFunc(text, unicode.IsPunct) 220 | } 221 | // There must be a letter. 222 | hasLetter := false 223 | for _, c := range text { 224 | if unicode.IsLetter(c) { 225 | hasLetter = true 226 | break 227 | } 228 | } 229 | if !hasLetter { 230 | return 231 | } 232 | word := &Word{ 233 | text: text, 234 | file: file, 235 | lineNum: lineNum, 236 | byteNum: byteNum, 237 | } 238 | if onlyLower(text) { 239 | word.lower = &word.text 240 | } else { 241 | x := strings.ToLower(text) 242 | word.lower = &x 243 | } 244 | words = append(words, word) 245 | } 246 | 247 | func onlyLower(s string) bool { 248 | for _, c := range s { 249 | if !unicode.IsLower(c) { 250 | return false 251 | } 252 | } 253 | return true 254 | } 255 | 256 | func repeats() { 257 | if *noRepeats { 258 | return 259 | } 260 | prev := "" 261 | for _, word := range words { 262 | w := *word.lower 263 | if w == prev { 264 | fmt.Printf("%s repeats\n", word) 265 | } 266 | prev = w 267 | } 268 | } 269 | 270 | type digram [2]rune 271 | type trigram [3]rune 272 | 273 | var diCounts = make(map[digram]int) 274 | var triCounts = make(map[trigram]int) 275 | 276 | func stats() { 277 | // Compute global digram and trigram counts. 278 | for _, word := range words { 279 | addDigrams(word.text) 280 | scanTrigrams(word.text, incTrigrams) 281 | } 282 | // Compute the score for the word. 283 | for _, word := range words { 284 | if known[*word.lower] { 285 | continue 286 | } 287 | word.score = int(score(word.text)) 288 | } 289 | } 290 | 291 | func scanTrigrams(word string, fn func(t trigram)) { 292 | // For "once", we have ".on", "onc", "nce", "ce." 293 | // Do the first one by hand to prime the pump. 294 | rune, wid := utf8.DecodeRuneInString(word) 295 | t := trigram{'.', '.', rune} 296 | for _, r := range word[wid:] { 297 | t[0] = t[1] 298 | t[1] = t[2] 299 | t[2] = r 300 | fn(t) 301 | } 302 | // At this point, we have "nce"; make "ce.". 303 | // If there was only one letter, "a", we have "..a" and this tail will give us ".a.", which is what we want. 304 | // Final marker 305 | t[0] = t[1] 306 | t[1] = t[2] 307 | t[2] = '.' 308 | fn(t) 309 | } 310 | 311 | func addDigrams(word string) { 312 | d := digram{'.', '.'} 313 | // For "once", we have ".o", "on", "nc", "ce", "e." 314 | for _, r := range word { 315 | d[0] = d[1] 316 | d[1] = r 317 | diCounts[d]++ 318 | } 319 | // Final marker 320 | d[0] = d[1] 321 | d[1] = '.' 322 | diCounts[d]++ 323 | } 324 | 325 | func incTrigrams(t trigram) { 326 | triCounts[t]++ 327 | } 328 | 329 | func triScore(t trigram) float64 { 330 | nxy := float64(diCounts[digram{t[0], t[1]}] - 1) 331 | nyz := float64(diCounts[digram{t[1], t[2]}] - 1) 332 | nxyz := float64(triCounts[t] - 1) 333 | // The paper says to use -10 for log(0), but its square is 100, so that can't be right. 334 | if nxy == 0 || nyz == 0 || nxyz == 0 { 335 | return 0 336 | } 337 | logNxy := math.Log(nxy) 338 | logNyz := math.Log(nyz) 339 | logNxyz := math.Log(nxyz) 340 | return 0.5*(logNxy+logNyz) - logNxyz 341 | } 342 | 343 | func score(word string) float64 { 344 | sumOfSquares := 0.0 345 | n := 0 346 | fn := func(t trigram) { 347 | i := triScore(t) 348 | sumOfSquares += i * i 349 | n++ 350 | } 351 | scanTrigrams(word, fn) 352 | s := 10 / math.Sqrt(sumOfSquares/float64(n)) 353 | if math.IsInf(s, 0) { 354 | s = 100. 355 | } 356 | return s 357 | } 358 | 359 | func spell() { 360 | // Uniq the list: show each word only once; also drop known words. 361 | sort.Sort(ByWord(words)) 362 | out := words[0:0] 363 | prev := " " 364 | for _, word := range words { 365 | if word.text == prev { 366 | continue 367 | } 368 | if known[*word.lower] { 369 | continue 370 | } 371 | out = append(out, word) 372 | prev = word.text 373 | } 374 | words = out 375 | // Sort the words by unlikelihood and print the top few. 376 | sort.Sort(ByScore(words)) 377 | for i, w := range words { 378 | if i >= *nTypos { 379 | break 380 | } 381 | if w.score < *threshold { 382 | break 383 | } 384 | fmt.Println(words[i]) 385 | } 386 | } 387 | 388 | /* 389 | Thanks to Doug McIlroy for digging this out for me: 390 | 391 | From CSTR 18, Robert Morris and Lorinda L. Cherry, "Computer 392 | detection of typographical errors", July 1974. 393 | 394 | ... a count is kept of each kind of digram and trigram in the 395 | document. For example, if the word `once' appears in the text, 396 | the counts corresponding to each of these five digrams and four 397 | trigrams are incremented. 398 | 399 | .o on nc ce e. 400 | .on onc nce ce. 401 | 402 | where the `.' signifies the beginning or ending of a word. These 403 | statistics are retained for later processing. 404 | 405 | ... 2726 common technical English words as used at Murray Hill 406 | ... are removed. [The list was created] by processing about one 407 | million words of technical text appearing in documents produced on 408 | the UNIX time-sharing system at Murray Hill. The words selected were 409 | those which have the highest probability of appearing in a given 410 | document. This is not the same as a list of the most frequently 411 | occurring words and, in fact, some very rare words occur in the 412 | table. For example, `murray' and `abstract' are very uncommon words 413 | in the documents sampled, yet they both appear once in virtually 414 | every document. 415 | 416 | ... a number is attached to each word by consulting the table of 417 | digrams and trigrams previously produced. 418 | 419 | The number is an index of peculiarity and reflects the likelihood 420 | of the hypothesis that the trigrams in the given word were produced 421 | from the same source that produced the trigram table. 422 | 423 | Each trigram in the current word is treated separately. An initial 424 | and terminal trigram is treated for each word so that the number 425 | of trigrams in a word becomes equal to the number of characters 426 | in the word. For each trigram T = (xyz) in the current word, 427 | the digram and trigram counts from the prepared table are accessed. 428 | Each such count is reduced by one to remove the effect of the 429 | current word on the statistics. The resulting counts are n(xy), 430 | n(yz), and n(xyz). The index i(T) for the trigram T is set equal to 431 | 432 | i(T) = (1/2)[log n(xy) + log n(yz)] - log n(xyz) 433 | 434 | This index is invariant with the size of the document, i.e. it needs 435 | no normalization. It measures the evidence against the hypothesis 436 | that the trigram was produced by the same source that produced the 437 | digram and trigram tables in the sense of References 1 and 2. In the 438 | case that one of the digram or trigram counts is zero, the log of 439 | that count is taken to be -10. 440 | 441 | A variety of methods were tried to combine the trigram indices to 442 | obtain an index for the whole word, including 443 | 444 | - the average of trigram indices, 445 | - the square root of the average of the squares of the trigram 446 | indices, and 447 | - the largest of the trigram indices. 448 | 449 | All were moderately effective; the first tended to swamp out the 450 | effect of a really strange trigram in a long word and the latter 451 | was insensitive to a sequence of strange trigrams whose cumulative 452 | evidence should have made a word suspcious. The second on trial 453 | appeared to be a satisfactory compromise and was adopted. 454 | 455 | The words with their attached indices are sorted on the index in 456 | descending order and printed in a pleasing three-column format. [The 457 | printed integer index values are] normalized in such a way that 458 | a word with an index greater than 10 contains trigrams that are not 459 | representative of the remainder of the document. Such a word almost 460 | certainly appears just once in a document. 461 | 462 | ... 463 | 464 | 465 | [1] Good, I. j. Probability and the Weighing of Evidence. Charles 466 | Griffin & Co., London, 1950. 467 | 468 | [2] Kullback, S. and Leibler, R. A. On Information and Sufficiency. 469 | Annals of Math. Stat., 22 (1951), pp. 79-86 470 | */ 471 | -------------------------------------------------------------------------------- /typo.png: -------------------------------------------------------------------------------- https://raw.githubusercontent.com/robpike/typo/03d12d0ef6aed51f4d2becc56f20a364566dd8f7/typo.png -------------------------------------------------------------------------------- /unix/LICENSE.pdf: -------------------------------------------------------------------------------- https://raw.githubusercontent.com/robpike/typo/03d12d0ef6aed51f4d2becc56f20a364566dd8f7/unix/LICENSE.pdf -------------------------------------------------------------------------------- /unix/README.md: -------------------------------------------------------------------------------- 1 | This is the original C source for Bob Morris's typo. 2 | I believe this version dates from v4 or v5, although it might not 3 | have varied much. 4 | 5 | It is released by Caldera under a BSD-like license; see LICENSE.pdf. 6 | 7 | Note that porting this code will be very challenging. Besides being 8 | highly PDP-11-dependent, and written in an ancient dialect of C, 9 | it also depends on details of the linker and compiler. 10 | -------------------------------------------------------------------------------- /unix/salt: -------------------------------------------------------------------------------- https://raw.githubusercontent.com/robpike/typo/03d12d0ef6aed51f4d2becc56f20a364566dd8f7/unix/salt -------------------------------------------------------------------------------- /unix/typo.c: -------------------------------------------------------------------------------- 1 | char number[3]; 2 | int eflg; 3 | char w2006[100]; 4 | flg 0; 5 | char realwd[100]; 6 | char *wd {&realwd[1]}; 7 | char *fptr; 8 | char *ffptr &ffbuf; 9 | char ffbuf[36]; 10 | int neng; 11 | int npr; 12 | int table[2]; /*keep these four cards in order*/ 13 | int tab1[26]; 14 | int tab2[730]; 15 | char tab3[19684]; 16 | int logtab[256]; 17 | float inctab[256]; 18 | char nwd[100]; 19 | int tot; 20 | int wtot; 21 | char *buf[3]; 22 | file[3]; 23 | ptr[3]; 24 | char *name[3]; 25 | bsp[768]; 26 | 27 | main(argc,argv) int argc; char *argv[]; { 28 | char let,lt; 29 | auto arg,t,sw,i,j,salt,er,c; 30 | register k,l,m; 31 | double junk; 32 | int unl(); 33 | int ii; 34 | double log(), exp(), pow(); 35 | 36 | nice(-20); 37 | inctab[0] = 1; 38 | logtab[0] = -10; 39 | for(ii=1; ii<256; ii++){ 40 | inctab[ii] = exp(-ii/30.497); 41 | logtab[ii] = log(30.*pow(1.0333,ii+0.) - 30.) + .5; 42 | } 43 | logtab[1] = -10; 44 | 45 | number[2] = ' '; 46 | buf[0] = bsp; 47 | buf[1] = bsp + 0400; 48 | buf[2] = bsp + 01000; 49 | ptr[0] = 0; ptr[1] = 0; 50 | ptr[2] = 1; 51 | arg = 1; 52 | while(argc>1 && argv[arg][0] == '-') { 53 | switch(argv[arg][1]) { 54 | default: 55 | printf("Unrecognizable argument: %c\n",argv[arg][1]); 56 | exit(); 57 | case 0: 58 | case 'n': 59 | neng++; 60 | break; 61 | case '1': 62 | npr++; 63 | } 64 | arg++; 65 | --argc; 66 | } 67 | if(!neng) { 68 | salt = open("/usr/lib/salt",0); 69 | er = read(salt,table,21200); 70 | if(er != 21200)err("read salt"); 71 | close(salt); 72 | } 73 | if((signal(2,1) & 1) != 1) 74 | signal(2,unl); 75 | name[0] = "/usr/tmp/ttmpa1"; 76 | name[1] = "/usr/tmp/ttmpa2"; 77 | name[2] = "/usr/tmp/ttmpa3"; 78 | while((file[0] = open(name[0],1)) > 0){ 79 | close(file[0]); 80 | for(j=0; j < 3; j++)name[j][13]++; 81 | if(name[0][13] == 'z')err("creat tmp file"); 82 | } 83 | file[0] = creat(name[0],0666); 84 | fptr = argv[arg]; 85 | if(argc == 1) {argc = 2; arg = 0;} 86 | while(--argc){ 87 | if(arg == 0){ 88 | file[2] = 0; 89 | }else{ 90 | file[2] = open(argv[arg++],0); 91 | if(file[2] < 0)err("open input file"); 92 | } 93 | eflg = 1; 94 | while((j = wdval(2)) != 0){ 95 | put(0,nwd,j); 96 | k = -1; 97 | l = 0; 98 | m = 1; 99 | if(inctab[table[0]] > (junk=rand()/32768.)) table[0]++; 100 | while(m <= j){ 101 | c = 27*wd[k++] + wd[l++]; 102 | if(inctab[tab2[c]] > junk) tab2[c]++; 103 | c = 27*c + wd[m++]; 104 | if(inctab[tab3[c]] > junk) tab3[c]++; 105 | } 106 | c = 27*wd[k] + wd[l]; 107 | if(inctab[tab2[c]] > junk) tab2[c]++; 108 | } 109 | if(file[2]) close(file[2]); 110 | } 111 | flsh(0,0); 112 | close(file[0]); 113 | sw = fork(); 114 | if(sw == 0){execl("/usr/bin/usort","usort","-o",name[2],name[0],0); 115 | err("sort"); } 116 | if(sw == -1)err("fork"); 117 | er = wait(); 118 | if(er != sw)err("probs"); 119 | file[0] = creat(name[0],0666); 120 | if(file[0] < 0)err("creat tmp"); 121 | file[1] = open("/usr/lib/w2006",0); 122 | if(file[1] < 0)err("open w2006"); 123 | ptr[1] = 1; 124 | for(k=0;((c = w2006[k] = get(1)) != '\n');k++) 125 | if(c == -1) break; 126 | file[2] = open(name[2],0); 127 | if(file[2] < 0)err("open tmp"); 128 | ptr[2] = 1; 129 | 130 | while(ptr[2]){ 131 | l=0; 132 | for(k=0;((c = wd[k] = get(2)) != '\n');k++) 133 | if(c == -1)goto done; 134 | for(i=0; i<=k;i++){ 135 | if(wd[i] < w2006[l]){ 136 | put(0,wd,k); 137 | break; 138 | } 139 | if(wd[i] > w2006[l]){ 140 | for(l=0;((c = w2006[l] = get(1)) != '\n');l++) 141 | if(c == -1){ 142 | put(0,wd,k); 143 | for(k=0;((c = wd[k] =get(2))!= -1);k++){ 144 | put(0,wd,k); 145 | k = -1; 146 | } 147 | goto done; 148 | } 149 | i = -1; 150 | l=0; 151 | continue; 152 | } 153 | l++; 154 | } 155 | } 156 | done: 157 | close(file[2]); 158 | unlink(name[2]); 159 | flsh(0,0); 160 | close(file[1]); 161 | close(file[0]); 162 | ptr[1] = 1; 163 | file[1] = open(name[0],0); 164 | if(file[1] < 0)err("open tmp "); 165 | file[0] = creat(name[1],0666); 166 | if(file[0] < 0)err("create tmp"); 167 | while((j = nwdval(1)) != 0){ 168 | wtot = 0; 169 | flg = 0; 170 | k = -1; l = 0; m = 1; 171 | while(m <= j){ 172 | tot = 0; 173 | c = wd[k++]*27 + wd[l++]; 174 | tot =+ (logtab[tab2[c]]+logtab[tab2[wd[k]*27+wd[l]]]); 175 | tot =>> 1; 176 | c = c*27 + wd[m++]; 177 | tot =- logtab[tab3[c] & 0377]; 178 | if(tot > wtot) wtot = tot; 179 | } 180 | if(wtot < 0) wtot = 0; 181 | t = conf(wtot,2,number); 182 | put(0,number,2); 183 | put(0,nwd,j); 184 | } 185 | flsh(0,0); 186 | close(file[1]); 187 | close(file[0]); 188 | 189 | sw = fork(); 190 | if(sw == 0){execl("/bin/sort","sort","+0nr", "+1","-o",name[1],name[1] 191 | ,0); 192 | err("sort"); } 193 | if(sw == -1)err("fork"); 194 | er = wait(); 195 | if(er != sw)err("prob"); 196 | 197 | sw = fork(); 198 | if(sw == 0){ 199 | if(npr) { 200 | execl("/bin/cat","cat",name[1],0); 201 | } else { 202 | i = 0 ; 203 | while((c = "Possible typo's in "[i++])!=0) 204 | *ffptr++ = c; 205 | i = 0; 206 | while((c = fptr[i++]) != 0) 207 | *ffptr++ = c; 208 | *ffptr = 0; 209 | execl("/bin/pr","pr","-3", "-h", 210 | ffbuf,name[1],0); 211 | err("pr"); 212 | } 213 | } 214 | if(sw == -1)err("fork"); 215 | er = wait(); 216 | if(er != sw)err("prob"); 217 | unl(); 218 | } 219 | 220 | unl() { 221 | register j; 222 | j = 2; 223 | while(j--)unlink(name[j]); 224 | exit(); 225 | } 226 | 227 | 228 | err(c) char c[];{ 229 | register j; 230 | printf("cannot %s\n",c); 231 | unl(); 232 | } 233 | 234 | get(ifile) int ifile;{ 235 | static char *ibuf[10]; 236 | if(--ptr[ifile]){ 237 | return(*ibuf[ifile]++ & 0377);} 238 | if(ptr[ifile] = read(file[ifile],buf[ifile],512)){ 239 | if(ptr[ifile] < 0)goto prob; 240 | ibuf[ifile] = buf[ifile]; 241 | return(*ibuf[ifile]++ & 0377); 242 | } 243 | ptr[ifile] = 1; 244 | return(-1); 245 | 246 | prob: 247 | ptr[ifile] = 1; 248 | printf("read error\n"); 249 | return(-1); 250 | } 251 | 252 | put(ofile,s,optr) char s[]; { 253 | register i; 254 | 255 | while(optr-- >= 0) 256 | buf[ofile][(ptr[ofile] < 512)?ptr[ofile]++:flsh(ofile,1)] = *s++; 257 | return; 258 | } 259 | 260 | flsh(ofile,i){ 261 | register error; 262 | error = write(file[ofile],buf[ofile],ptr[ofile]); 263 | if(error < 0)goto prob; 264 | 265 | ptr[ofile] = i; 266 | return(0); 267 | prob: 268 | printf("write error on t.%d\n",file[ofile]); 269 | unl(); 270 | } 271 | 272 | wdval(wfile) int wfile; { 273 | static let,wflg; 274 | register j; 275 | beg: 276 | j = -1; 277 | if(wflg == 1){wflg = 0; 278 | goto st; } 279 | while((let = get(wfile)) != '\n'){ 280 | st: 281 | switch(let){ 282 | case -1: return(0); 283 | case '%': if(j != -1)break; 284 | goto ret; 285 | case '-': 286 | if((let = get(wfile)) == '\n'){ 287 | while((let = get(wfile)) == '\n')if(let == -1)return(0); 288 | goto st; } 289 | else {wflg = 1; 290 | goto ret; } 291 | case '\'': 292 | if(eflg != 1){ 293 | if(j < 1)goto beg; 294 | else break; 295 | } 296 | case '.': 297 | if(eflg == 1){ 298 | while((let = get(wfile)) != '\n')if(let == -1)return(0); 299 | goto beg; } 300 | else goto ret; 301 | default: 302 | eflg = 0; 303 | if(let < 'A')goto ret; 304 | if(let <= 'Z'){ wd[++j] = let - 0100; 305 | nwd[j] = let + ' '; 306 | break; } 307 | if(let < 'a' || let > 'z')goto ret; 308 | wd[++j] = let - 0140; 309 | nwd[j] = let; 310 | } 311 | eflg = 0; } 312 | 313 | eflg = 1; 314 | ret: 315 | if(j < 1)goto beg; 316 | nwd[++j] = '\n'; 317 | wd[j] = 0; 318 | return(j); 319 | } 320 | 321 | nwdval(wfile) int wfile;{ 322 | register j; 323 | register char c; 324 | j = -1; 325 | do{ 326 | if(( c = nwd[++j] = get(wfile)) == -1)return(0); 327 | wd[j] = c - 0140; 328 | } 329 | while(c != '\n'); 330 | wd[j] = '\0'; 331 | return(j); 332 | } 333 | conf(n,width,cbuf) char cbuf[]; { 334 | register i,a; 335 | 336 | i = width; 337 | while(i--)cbuf[i] = ' '; 338 | 339 | cbuf[(a = n/10)?conf(a,--width,cbuf):--width] = n%10 + '0'; 340 | 341 | return(++width); 342 | } 343 | rand(){ 344 | static gorp; 345 | gorp = (gorp + 625) & 077777; 346 | return(gorp); 347 | } -------------------------------------------------------------------------------- /unix/w2006.txt: -------------------------------------------------------------------------------- 1 | abilities 2 | ability 3 | able 4 | about 5 | above 6 | absence 7 | absent 8 | absentee 9 | absenteeism 10 | absolute 11 | absolutely 12 | abstract 13 | abstracts 14 | academic 15 | academically 16 | academician 17 | accept 18 | acceptability 19 | acceptable 20 | acceptably 21 | acceptance 22 | acceptances 23 | accepted 24 | accepting 25 | accepts 26 | access 27 | accessed 28 | accesses 29 | accessible 30 | accessing 31 | accession 32 | accessions 33 | accident 34 | accidental 35 | accidentally 36 | accidents 37 | accompany 38 | accompanying 39 | accomplished 40 | accomplishment 41 | accomplishments 42 | accordance 43 | accorded 44 | according 45 | accordingly 46 | account 47 | accountability 48 | accountable 49 | accountancy 50 | accountants 51 | accounted 52 | accounting 53 | accounts 54 | accumulated 55 | accuracy 56 | accurate 57 | accurately 58 | achieve 59 | achieved 60 | achievement 61 | achieving 62 | acknowledge 63 | acknowledging 64 | acknowledgments 65 | acquired 66 | acquiring 67 | acquisition 68 | across 69 | act 70 | acting 71 | action 72 | actions 73 | activated 74 | activates 75 | activation 76 | active 77 | actively 78 | activities 79 | activity 80 | acts 81 | actual 82 | actually 83 | actuate 84 | actuated 85 | acute 86 | acutely 87 | adapt 88 | adapted 89 | adaption 90 | add 91 | added 92 | adding 93 | addition 94 | additional 95 | additions 96 | additive 97 | address 98 | addressed 99 | addresses 100 | addressing 101 | adds 102 | adequacy 103 | adequate 104 | adequately 105 | adhesives 106 | adjacent 107 | adjudged 108 | adjunct 109 | adjuncts 110 | adjust 111 | adjusted 112 | adjusting 113 | adjustment 114 | adjustments 115 | administer 116 | administered 117 | administering 118 | administrate 119 | administrated 120 | administration 121 | administrative 122 | administrator 123 | administrators 124 | admit 125 | admittedly 126 | adopt 127 | adopted 128 | adopting 129 | adoption 130 | advance 131 | advanced 132 | advances 133 | advantage 134 | advantageously 135 | advantages 136 | adversary 137 | adverse 138 | adversely 139 | advise 140 | advised 141 | advisers 142 | advising 143 | advisors 144 | advisory 145 | affairs 146 | affect 147 | affected 148 | affecting 149 | affects 150 | affirmation 151 | affirmative 152 | affirmed 153 | aforementioned 154 | after 155 | afternoon 156 | again 157 | against 158 | age 159 | agencies 160 | agency 161 | agent 162 | ago 163 | agree 164 | agreeable 165 | agreed 166 | agreement 167 | agreements 168 | agrees 169 | ahead 170 | aid 171 | aide 172 | aided 173 | aids 174 | aimed 175 | air 176 | alert 177 | algebraic 178 | algol 179 | algorithm 180 | algorithms 181 | all 182 | allocate 183 | allocated 184 | allocates 185 | allocation 186 | allocations 187 | allow 188 | allowable 189 | allowance 190 | allowed 191 | allowing 192 | allows 193 | almost 194 | alone 195 | along 196 | alphabet 197 | already 198 | also 199 | alter 200 | alteration 201 | altered 202 | alternate 203 | alternating 204 | alternation 205 | alternative 206 | alternatively 207 | alternatives 208 | although 209 | always 210 | america 211 | american 212 | among 213 | amount 214 | amounts 215 | amplifier 216 | amplitude 217 | an 218 | analog 219 | analogous 220 | analogy 221 | analyses 222 | analysis 223 | analyst 224 | analysts 225 | analytic 226 | analytical 227 | analyze 228 | analyzed 229 | analyzer 230 | analyzing 231 | ancillary 232 | and 233 | angle 234 | animal 235 | announced 236 | announcements 237 | announces 238 | annual 239 | anode 240 | anodes 241 | another 242 | answer 243 | answered 244 | answering 245 | answers 246 | anticipated 247 | any 248 | anyone 249 | anything 250 | anyway 251 | apart 252 | apparatus 253 | apparent 254 | apparently 255 | appeal 256 | appealing 257 | appeals 258 | appear 259 | appearance 260 | appeared 261 | appearing 262 | appears 263 | append 264 | appended 265 | appendices 266 | appending 267 | appendix 268 | appends 269 | applicability 270 | applicable 271 | applicant 272 | applicants 273 | application 274 | applications 275 | applied 276 | applies 277 | apply 278 | applying 279 | appointed 280 | appointment 281 | appoints 282 | appraisals 283 | approach 284 | approached 285 | approaches 286 | approaching 287 | appropriate 288 | appropriately 289 | appropriateness 290 | approval 291 | approvals 292 | approve 293 | approved 294 | approximate 295 | approximated 296 | approximately 297 | approximation 298 | april 299 | arbitrarily 300 | arbitrary 301 | are 302 | area 303 | areas 304 | argue 305 | argued 306 | argument 307 | arguments 308 | arise 309 | arisen 310 | arises 311 | arising 312 | arithmetic 313 | arose 314 | around 315 | arrange 316 | arranged 317 | arrangement 318 | arrangements 319 | arranges 320 | arranging 321 | array 322 | arrays 323 | arrival 324 | arrive 325 | arrives 326 | arriving 327 | art 328 | article 329 | arts 330 | as 331 | ascertain 332 | ascertained 333 | aside 334 | ask 335 | asked 336 | asking 337 | asks 338 | aspect 339 | aspects 340 | assembly 341 | assess 342 | assessed 343 | assessment 344 | asset 345 | assets 346 | assign 347 | assignable 348 | assigned 349 | assigning 350 | assignment 351 | assignments 352 | assigns 353 | assist 354 | assistance 355 | assistant 356 | assistants 357 | assisted 358 | associate 359 | associated 360 | associating 361 | association 362 | assume 363 | assumed 364 | assumes 365 | assuming 366 | assumption 367 | assumptions 368 | assurance 369 | assure 370 | assured 371 | assures 372 | asymmetric 373 | at 374 | atmosphere 375 | atmospheric 376 | atom 377 | attach 378 | attached 379 | attack 380 | attempt 381 | attempted 382 | attempting 383 | attempts 384 | attend 385 | attendance 386 | attendant 387 | attended 388 | attention 389 | attitude 390 | attitudes 391 | attorney 392 | attract 393 | attraction 394 | attractive 395 | attractiveness 396 | attributable 397 | attributes 398 | audio 399 | augment 400 | augmentation 401 | augmented 402 | augmenting 403 | august 404 | author 405 | authorities 406 | authority 407 | authorization 408 | authorizations 409 | authorize 410 | authorized 411 | authorizing 412 | authors 413 | automated 414 | automatic 415 | automatically 416 | auxiliary 417 | availability 418 | available 419 | average 420 | averaged 421 | averages 422 | averaging 423 | avoid 424 | avoidance 425 | avoided 426 | avoiding 427 | aware 428 | awareness 429 | away 430 | axes 431 | axis 432 | back 433 | background 434 | backgrounds 435 | bad 436 | badly 437 | balance 438 | balanced 439 | ball 440 | band 441 | bandwidth 442 | bank 443 | banking 444 | banks 445 | bar 446 | bars 447 | base 448 | based 449 | bases 450 | basic 451 | basically 452 | basis 453 | batch 454 | be 455 | bear 456 | bearer 457 | bearing 458 | became 459 | because 460 | become 461 | becomes 462 | becoming 463 | been 464 | before 465 | began 466 | begin 467 | beginning 468 | begins 469 | begun 470 | behavior 471 | behavioral 472 | behind 473 | being 474 | belief 475 | beliefs 476 | believe 477 | believed 478 | believes 479 | bell 480 | belong 481 | belonging 482 | belongings 483 | below 484 | beneath 485 | beneficial 486 | benefit 487 | benefits 488 | bent 489 | besides 490 | best 491 | better 492 | betterment 493 | between 494 | beyond 495 | big 496 | bigger 497 | biggest 498 | bill 499 | billed 500 | billing 501 | bills 502 | binary 503 | biometrika 504 | bit 505 | bits 506 | black 507 | blank 508 | blanks 509 | block 510 | blocked 511 | blocking 512 | blocks 513 | blue 514 | board 515 | boards 516 | body 517 | bold 518 | bond 519 | bonds 520 | book 521 | books 522 | borrow 523 | borrowed 524 | both 525 | bottom 526 | bottoms 527 | bought 528 | bound 529 | boundaries 530 | boundary 531 | bounded 532 | bounds 533 | box 534 | branch 535 | branches 536 | break 537 | breakdown 538 | breaker 539 | breakers 540 | brief 541 | briefed 542 | briefing 543 | briefly 544 | bring 545 | brings 546 | broad 547 | broadened 548 | broader 549 | broadest 550 | broadly 551 | broken 552 | brought 553 | brown 554 | bubble 555 | budget 556 | budgetary 557 | budgets 558 | build 559 | building 560 | buildings 561 | builds 562 | built 563 | bureau 564 | bureaucracy 565 | bureaucratic 566 | burning 567 | bus 568 | buses 569 | business 570 | busy 571 | but 572 | buy 573 | buyer 574 | buying 575 | buys 576 | by 577 | bypass 578 | bypassing 579 | cabinet 580 | cabinets 581 | cable 582 | cabling 583 | calculate 584 | calculated 585 | calculates 586 | calculating 587 | calculation 588 | calculations 589 | calendar 590 | caliber 591 | calibrated 592 | calibrates 593 | calibration 594 | california 595 | call 596 | called 597 | calling 598 | calls 599 | came 600 | can 601 | candidate 602 | candidates 603 | cannot 604 | capabilities 605 | capability 606 | capable 607 | capacity 608 | capital 609 | capitalization 610 | capitalize 611 | capitalized 612 | card 613 | cards 614 | care 615 | career 616 | careful 617 | carefully 618 | carried 619 | carries 620 | carroll 621 | carry 622 | carrying 623 | case 624 | cases 625 | casual 626 | casually 627 | catalog 628 | catalogs 629 | categories 630 | category 631 | cathode 632 | cathodes 633 | catholic 634 | caught 635 | cause 636 | caused 637 | causes 638 | causing 639 | cease 640 | ceases 641 | cell 642 | cells 643 | center 644 | centered 645 | centers 646 | central 647 | centrally 648 | centuries 649 | century 650 | certain 651 | certainly 652 | chain 653 | chained 654 | chaining 655 | chairman 656 | chairmen 657 | chance 658 | chances 659 | chang 660 | change 661 | changed 662 | changes 663 | changing 664 | channel 665 | channels 666 | chapter 667 | chapters 668 | character 669 | characteristic 670 | characteristics 671 | characterize 672 | characterized 673 | characterizes 674 | characters 675 | charge 676 | chargeable 677 | charged 678 | charges 679 | charging 680 | chart 681 | charter 682 | chartered 683 | charts 684 | cheaper 685 | cheapest 686 | check 687 | checked 688 | checking 689 | checks 690 | chemical 691 | chemicals 692 | chemistry 693 | chief 694 | chiefs 695 | children 696 | choice 697 | choices 698 | choose 699 | choosing 700 | chosen 701 | circle 702 | circles 703 | circuit 704 | circuitry 705 | circuits 706 | circumstances 707 | cited 708 | cites 709 | citing 710 | citizens 711 | city 712 | civil 713 | claim 714 | claimed 715 | claiming 716 | claims 717 | class 718 | classes 719 | classification 720 | classified 721 | clean 722 | cleaning 723 | cleanliness 724 | clear 725 | clearance 726 | cleared 727 | clearing 728 | clearly 729 | clears 730 | clerical 731 | clerk 732 | clerks 733 | clock 734 | close 735 | closed 736 | closely 737 | closer 738 | closes 739 | closest 740 | closing 741 | closure 742 | clue 743 | cluster 744 | clustering 745 | clusterings 746 | clusters 747 | cm 748 | code 749 | codes 750 | codifying 751 | coding 752 | coefficient 753 | coefficients 754 | coffee 755 | coherency 756 | coherent 757 | cold 758 | collaboration 759 | collaborative 760 | colleagues 761 | collected 762 | collection 763 | collections 764 | collective 765 | collects 766 | college 767 | color 768 | colored 769 | column 770 | columns 771 | combination 772 | combinations 773 | combinatorial 774 | combine 775 | combined 776 | combining 777 | come 778 | comes 779 | coming 780 | command 781 | commands 782 | comment 783 | comments 784 | commerce 785 | commercial 786 | commercially 787 | commitment 788 | commitments 789 | committed 790 | committee 791 | committees 792 | common 793 | commonly 794 | communicate 795 | communicated 796 | communicates 797 | communicating 798 | communication 799 | communications 800 | communist 801 | communities 802 | community 803 | compact 804 | companies 805 | companion 806 | companions 807 | company 808 | comparability 809 | comparable 810 | comparative 811 | comparatively 812 | compare 813 | compared 814 | compares 815 | comparing 816 | comparison 817 | comparisons 818 | compatibility 819 | compatible 820 | compensate 821 | compensating 822 | compensation 823 | compensatory 824 | compete 825 | competence 826 | competency 827 | competent 828 | competently 829 | competes 830 | competing 831 | competition 832 | competitive 833 | compilation 834 | compilations 835 | compiled 836 | compiler 837 | compilers 838 | compiles 839 | compiling 840 | complement 841 | complementary 842 | complements 843 | complete 844 | completed 845 | completely 846 | completes 847 | completion 848 | complex 849 | complexities 850 | complexity 851 | compliance 852 | complicate 853 | complicated 854 | complicating 855 | component 856 | components 857 | composed 858 | composite 859 | composition 860 | compositions 861 | comprehend 862 | comprehended 863 | comprehending 864 | comprehension 865 | comprehensive 866 | comprise 867 | comprises 868 | comprising 869 | compromise 870 | compromised 871 | compromises 872 | computation 873 | computational 874 | computations 875 | compute 876 | computed 877 | computer 878 | computerized 879 | computers 880 | computes 881 | computing 882 | conceivable 883 | conceived 884 | concentrate 885 | concentrated 886 | concentration 887 | concept 888 | conceptions 889 | concepts 890 | conceptually 891 | concern 892 | concerned 893 | concerning 894 | concerns 895 | conclude 896 | concluded 897 | concludes 898 | conclusion 899 | conclusions 900 | condensed 901 | condition 902 | conditional 903 | conditionally 904 | conditioned 905 | conditioning 906 | conditions 907 | conducive 908 | conduct 909 | conducted 910 | conductivity 911 | conductor 912 | conductors 913 | conference 914 | conferences 915 | confidence 916 | confident 917 | confidential 918 | confidentiality 919 | configuration 920 | configurations 921 | confirm 922 | confirmation 923 | confirmations 924 | confirmed 925 | confirms 926 | confounded 927 | confounding 928 | confuse 929 | confused 930 | confusion 931 | congruent 932 | conjectured 933 | conjectures 934 | connect 935 | connected 936 | connecting 937 | connection 938 | connections 939 | connects 940 | conscious 941 | consequence 942 | consequences 943 | consequently 944 | consider 945 | considerable 946 | considerably 947 | consideration 948 | considerations 949 | considered 950 | considering 951 | considers 952 | consist 953 | consisted 954 | consistency 955 | consistent 956 | consisting 957 | consists 958 | constant 959 | constants 960 | constitute 961 | constituting 962 | constrain 963 | constrained 964 | constraint 965 | constraints 966 | construct 967 | constructed 968 | constructing 969 | construction 970 | constructs 971 | consult 972 | consultant 973 | consultants 974 | consulted 975 | consulting 976 | consults 977 | consumable 978 | consumed 979 | consumer 980 | consuming 981 | consumption 982 | contact 983 | contacted 984 | contacts 985 | contain 986 | contained 987 | containers 988 | containing 989 | contains 990 | contemplate 991 | content 992 | contention 993 | contents 994 | context 995 | continuation 996 | continue 997 | continued 998 | continues 999 | continuing 1000 | continuity 1001 | continuous 1002 | continuously 1003 | contract 1004 | contractions 1005 | contractor 1006 | contracts 1007 | contractual 1008 | contradicting 1009 | contradiction 1010 | contradictions 1011 | contrast 1012 | contributed 1013 | contributions 1014 | control 1015 | controllable 1016 | controlled 1017 | controller 1018 | controlling 1019 | controls 1020 | convenience 1021 | convenient 1022 | conveniently 1023 | convention 1024 | conventional 1025 | conventions 1026 | conversant 1027 | conversation 1028 | conversations 1029 | converse 1030 | conversely 1031 | conversion 1032 | convert 1033 | converted 1034 | converter 1035 | convertibility 1036 | converting 1037 | convey 1038 | conveyed 1039 | convince 1040 | convinced 1041 | convincing 1042 | cooperate 1043 | cooperates 1044 | cooperation 1045 | cooperative 1046 | cooperators 1047 | coordinate 1048 | coordinated 1049 | coordinates 1050 | coordinating 1051 | copied 1052 | copies 1053 | copy 1054 | core 1055 | corner 1056 | corners 1057 | corporate 1058 | corporation 1059 | correct 1060 | corrected 1061 | correcting 1062 | correction 1063 | corrections 1064 | corrective 1065 | correctly 1066 | correctness 1067 | corrects 1068 | correlated 1069 | correlation 1070 | correlations 1071 | correspond 1072 | corresponded 1073 | correspondence 1074 | corresponding 1075 | corresponds 1076 | cosines 1077 | cost 1078 | costing 1079 | costly 1080 | costs 1081 | could 1082 | council 1083 | councils 1084 | count 1085 | counted 1086 | counter 1087 | counting 1088 | countries 1089 | country 1090 | counts 1091 | couple 1092 | coupled 1093 | coupling 1094 | course 1095 | courses 1096 | court 1097 | cover 1098 | covered 1099 | covering 1100 | covers 1101 | create 1102 | created 1103 | creates 1104 | creating 1105 | creation 1106 | creative 1107 | creativeness 1108 | credit 1109 | crisis 1110 | criteria 1111 | criterion 1112 | critical 1113 | critically 1114 | criticism 1115 | criticisms 1116 | criticize 1117 | criticized 1118 | critics 1119 | crop 1120 | crops 1121 | cross 1122 | crossovers 1123 | cubic 1124 | cultural 1125 | culture 1126 | cultures 1127 | currencies 1128 | currency 1129 | current 1130 | currently 1131 | curve 1132 | curves 1133 | customer 1134 | customers 1135 | cut 1136 | cutoff 1137 | cuts 1138 | cutting 1139 | cycle 1140 | cycles 1141 | cyclic 1142 | cycling 1143 | daily 1144 | dallas 1145 | damage 1146 | damaged 1147 | damages 1148 | damaging 1149 | danger 1150 | dangerous 1151 | dark 1152 | data 1153 | date 1154 | dated 1155 | dates 1156 | day 1157 | days 1158 | dead 1159 | deal 1160 | dealing 1161 | deals 1162 | dealt 1163 | debug 1164 | debugged 1165 | debugging 1166 | december 1167 | decide 1168 | decided 1169 | decides 1170 | deciding 1171 | decision 1172 | decisions 1173 | declared 1174 | decoded 1175 | decoder 1176 | decoding 1177 | decomposition 1178 | decrease 1179 | decreases 1180 | decreasing 1181 | deep 1182 | deeply 1183 | defect 1184 | defective 1185 | defects 1186 | defend 1187 | defendant 1188 | defendants 1189 | defense 1190 | define 1191 | defined 1192 | defines 1193 | defining 1194 | definite 1195 | definitely 1196 | definition 1197 | definitions 1198 | degree 1199 | degrees 1200 | delay 1201 | delayed 1202 | delaying 1203 | delays 1204 | delete 1205 | deleted 1206 | deletes 1207 | deleting 1208 | deletion 1209 | deletions 1210 | deliver 1211 | deliverable 1212 | delivered 1213 | delivers 1214 | delivery 1215 | demand 1216 | demanding 1217 | demands 1218 | demonstrate 1219 | demonstrated 1220 | demonstration 1221 | demonstrations 1222 | density 1223 | deny 1224 | department 1225 | departmental 1226 | departments 1227 | departure 1228 | departures 1229 | depend 1230 | dependency 1231 | dependent 1232 | depending 1233 | depends 1234 | depicted 1235 | deposit 1236 | deposition 1237 | deposits 1238 | depth 1239 | derive 1240 | derived 1241 | deriving 1242 | descendant 1243 | descendants 1244 | descending 1245 | describe 1246 | described 1247 | describes 1248 | describing 1249 | description 1250 | descriptions 1251 | descriptive 1252 | descriptors 1253 | design 1254 | designate 1255 | designated 1256 | designating 1257 | designed 1258 | designing 1259 | designs 1260 | desirability 1261 | desirable 1262 | desire 1263 | desired 1264 | desires 1265 | desiring 1266 | despite 1267 | destination 1268 | detail 1269 | detailed 1270 | detailing 1271 | details 1272 | detect 1273 | detected 1274 | detecting 1275 | detection 1276 | detects 1277 | determination 1278 | determine 1279 | determined 1280 | determines 1281 | determining 1282 | develop 1283 | developed 1284 | developers 1285 | developing 1286 | development 1287 | developments 1288 | develops 1289 | deviance 1290 | deviant 1291 | deviation 1292 | deviations 1293 | device 1294 | devices 1295 | diagnose 1296 | diagnosed 1297 | diagnoses 1298 | diagnostic 1299 | diagonal 1300 | diagram 1301 | diagrams 1302 | dial 1303 | dialing 1304 | diameter 1305 | dictated 1306 | dictates 1307 | dictionary 1308 | did 1309 | die 1310 | dielectric 1311 | differ 1312 | differed 1313 | difference 1314 | differences 1315 | different 1316 | differential 1317 | differentiate 1318 | differentiating 1319 | differently 1320 | differing 1321 | differs 1322 | difficult 1323 | difficulties 1324 | difficulty 1325 | diffusion 1326 | digit 1327 | digital 1328 | digits 1329 | dimension 1330 | dimensional 1331 | dimensionality 1332 | dimensions 1333 | direct 1334 | directed 1335 | direction 1336 | directions 1337 | directive 1338 | directives 1339 | directly 1340 | director 1341 | directories 1342 | directors 1343 | directory 1344 | disagreement 1345 | disagreements 1346 | disappear 1347 | disappears 1348 | discharge 1349 | discharges 1350 | disclose 1351 | disclosed 1352 | discloses 1353 | disclosure 1354 | disconnected 1355 | discount 1356 | discounts 1357 | discourage 1358 | discouraged 1359 | discourages 1360 | discouraging 1361 | discover 1362 | discovered 1363 | discovers 1364 | discovery 1365 | discrepancies 1366 | discrepancy 1367 | discrete 1368 | discriminable 1369 | discriminate 1370 | discriminated 1371 | discriminating 1372 | discrimination 1373 | discriminatory 1374 | discuss 1375 | discussed 1376 | discusses 1377 | discussing 1378 | discussion 1379 | discussions 1380 | dispense 1381 | dispensing 1382 | display 1383 | displayed 1384 | displaying 1385 | displays 1386 | disposal 1387 | disposed 1388 | dissimilar 1389 | dissimilarities 1390 | dissimilarity 1391 | distance 1392 | distances 1393 | distant 1394 | distinct 1395 | distinction 1396 | distinctions 1397 | distinctive 1398 | distinctly 1399 | distinguish 1400 | distinguished 1401 | distinguishing 1402 | distorted 1403 | distortion 1404 | distortions 1405 | distractions 1406 | distribute 1407 | distributed 1408 | distributing 1409 | distribution 1410 | distributions 1411 | disturb 1412 | disturbed 1413 | disturbing 1414 | diverse 1415 | divide 1416 | divided 1417 | divides 1418 | division 1419 | divisions 1420 | do 1421 | document 1422 | documentation 1423 | documented 1424 | documenting 1425 | documents 1426 | does 1427 | doing 1428 | dollars 1429 | domain 1430 | dominance 1431 | dominant 1432 | dominated 1433 | done 1434 | door 1435 | doors 1436 | doped 1437 | dotted 1438 | double 1439 | doubling 1440 | doubt 1441 | doubtful 1442 | down 1443 | dr 1444 | draft 1445 | drafting 1446 | drafts 1447 | draftsman 1448 | drastically 1449 | draw 1450 | drawing 1451 | drawings 1452 | drawn 1453 | drew 1454 | drink 1455 | drinks 1456 | drive 1457 | drives 1458 | driving 1459 | drop 1460 | dropped 1461 | dropping 1462 | drops 1463 | dubious 1464 | due 1465 | duplicates 1466 | duplicating 1467 | duplication 1468 | duration 1469 | during 1470 | dust 1471 | duties 1472 | duty 1473 | dynamic 1474 | each 1475 | earlier 1476 | earliest 1477 | early 1478 | earmarked 1479 | earth 1480 | ease 1481 | eased 1482 | easier 1483 | easily 1484 | east 1485 | easy 1486 | economic 1487 | economical 1488 | economically 1489 | economics 1490 | economists 1491 | economy 1492 | edge 1493 | edges 1494 | edit 1495 | edited 1496 | editing 1497 | editor 1498 | editorial 1499 | editors 1500 | educate 1501 | educated 1502 | educating 1503 | education 1504 | educational 1505 | educationally 1506 | effect 1507 | effective 1508 | effectively 1509 | effectiveness 1510 | effects 1511 | efficiency 1512 | efficient 1513 | efficiently 1514 | effort 1515 | efforts 1516 | eight 1517 | either 1518 | elaborate 1519 | electric 1520 | electrical 1521 | electrode 1522 | electrodes 1523 | electron 1524 | electronic 1525 | electronically 1526 | electronics 1527 | electrons 1528 | element 1529 | elements 1530 | eliminate 1531 | eliminated 1532 | eliminates 1533 | eliminating 1534 | elimination 1535 | else 1536 | elsewhere 1537 | embedded 1538 | embedding 1539 | embodies 1540 | embodiment 1541 | embodiments 1542 | embodying 1543 | emergencies 1544 | emergency 1545 | emotional 1546 | emotionally 1547 | emotions 1548 | emphasis 1549 | emphasized 1550 | emphasizes 1551 | empirical 1552 | empirically 1553 | employed 1554 | employee 1555 | employees 1556 | employer 1557 | employment 1558 | empty 1559 | enable 1560 | enabled 1561 | enables 1562 | enabling 1563 | enclose 1564 | enclosed 1565 | encloses 1566 | encode 1567 | encoded 1568 | encoding 1569 | encounter 1570 | encountered 1571 | encounters 1572 | encourage 1573 | encouraged 1574 | encouragement 1575 | encourages 1576 | end 1577 | ended 1578 | ending 1579 | ends 1580 | energy 1581 | enforced 1582 | enforcement 1583 | enforcing 1584 | engage 1585 | engaged 1586 | engineer 1587 | engineering 1588 | engineers 1589 | english 1590 | enhance 1591 | enhanced 1592 | enhancement 1593 | enjoy 1594 | enjoys 1595 | enlarged 1596 | enough 1597 | ensure 1598 | ensures 1599 | enter 1600 | entered 1601 | entering 1602 | enters 1603 | enthusiasm 1604 | enthusiastic 1605 | entire 1606 | entirely 1607 | entities 1608 | entitled 1609 | entity 1610 | entries 1611 | entry 1612 | envelope 1613 | environment 1614 | environmental 1615 | environments 1616 | environs 1617 | epitaxial 1618 | equal 1619 | equality 1620 | equally 1621 | equals 1622 | equated 1623 | equation 1624 | equations 1625 | equilibrium 1626 | equipment 1627 | equipped 1628 | equitable 1629 | equivalence 1630 | equivalent 1631 | equivalently 1632 | error 1633 | errors 1634 | escape 1635 | especially 1636 | essential 1637 | essentially 1638 | essentials 1639 | establish 1640 | established 1641 | establishing 1642 | establishment 1643 | establishments 1644 | estimate 1645 | estimated 1646 | estimates 1647 | estimation 1648 | et 1649 | etc 1650 | evaluate 1651 | evaluated 1652 | evaluating 1653 | evaluation 1654 | evaluations 1655 | even 1656 | evening 1657 | event 1658 | events 1659 | ever 1660 | every 1661 | everybody 1662 | everyone 1663 | everyones 1664 | everything 1665 | everywhere 1666 | evidence 1667 | evidenced 1668 | evident 1669 | evidently 1670 | evil 1671 | exact 1672 | exactly 1673 | exaggerated 1674 | exaggerates 1675 | examination 1676 | examinations 1677 | examine 1678 | examined 1679 | examines 1680 | examining 1681 | example 1682 | examples 1683 | exceed 1684 | exceeded 1685 | exceeding 1686 | exceedingly 1687 | exceeds 1688 | excellence 1689 | excellent 1690 | except 1691 | exception 1692 | exceptionally 1693 | exceptions 1694 | excess 1695 | excessive 1696 | excessively 1697 | exchange 1698 | exclude 1699 | excluded 1700 | exclusive 1701 | executable 1702 | execute 1703 | executed 1704 | executes 1705 | executing 1706 | execution 1707 | executive 1708 | executives 1709 | exercise 1710 | exercised 1711 | exercises 1712 | exhaust 1713 | exhaustion 1714 | exhaustive 1715 | exhibit 1716 | exhibited 1717 | exhibitions 1718 | exist 1719 | existed 1720 | existence 1721 | existent 1722 | existing 1723 | exists 1724 | exit 1725 | exiting 1726 | exits 1727 | expand 1728 | expanded 1729 | expanding 1730 | expansion 1731 | expect 1732 | expectancy 1733 | expectation 1734 | expected 1735 | expects 1736 | expedite 1737 | expeditious 1738 | expendable 1739 | expended 1740 | expenditure 1741 | expenditures 1742 | expense 1743 | expenses 1744 | expensive 1745 | experience 1746 | experienced 1747 | experiences 1748 | experiment 1749 | experimental 1750 | experimentally 1751 | experimentation 1752 | experimented 1753 | experimenters 1754 | experimenting 1755 | experiments 1756 | expert 1757 | expertise 1758 | experts 1759 | explain 1760 | explained 1761 | explaining 1762 | explains 1763 | explanation 1764 | explicit 1765 | explicitly 1766 | exploit 1767 | exploitation 1768 | exploited 1769 | exploration 1770 | exploratory 1771 | explore 1772 | explored 1773 | exponential 1774 | exponentially 1775 | exposed 1776 | exposure 1777 | express 1778 | expressed 1779 | expression 1780 | expressions 1781 | extend 1782 | extended 1783 | extending 1784 | extension 1785 | extensive 1786 | extensively 1787 | extent 1788 | external 1789 | extinguished 1790 | extra 1791 | extracted 1792 | extracting 1793 | extreme 1794 | extremely 1795 | extremes 1796 | fabricated 1797 | face 1798 | faced 1799 | faces 1800 | facilitate 1801 | facilitated 1802 | facilities 1803 | facility 1804 | fact 1805 | factor 1806 | factorial 1807 | factors 1808 | facts 1809 | faculties 1810 | faculty 1811 | fail 1812 | failed 1813 | failing 1814 | fails 1815 | failure 1816 | failures 1817 | fair 1818 | fairly 1819 | fairness 1820 | faith 1821 | fall 1822 | falls 1823 | false 1824 | familiar 1825 | families 1826 | family 1827 | far 1828 | fashion 1829 | fast 1830 | faster 1831 | fastest 1832 | favor 1833 | favorable 1834 | fear 1835 | feasibility 1836 | feasible 1837 | feature 1838 | features 1839 | february 1840 | federal 1841 | federally 1842 | feed 1843 | feedback 1844 | feel 1845 | feeling 1846 | feels 1847 | feet 1848 | felt 1849 | female 1850 | females 1851 | few 1852 | fewer 1853 | field 1854 | fields 1855 | fifteen 1856 | fifth 1857 | fig 1858 | figs 1859 | figure 1860 | figures 1861 | file 1862 | filed 1863 | files 1864 | filing 1865 | fill 1866 | filled 1867 | filling 1868 | fills 1869 | film 1870 | filter 1871 | filtered 1872 | filtering 1873 | filters 1874 | final 1875 | finally 1876 | finance 1877 | financed 1878 | finances 1879 | financial 1880 | financing 1881 | find 1882 | finding 1883 | findings 1884 | finds 1885 | fine 1886 | finely 1887 | finish 1888 | finished 1889 | finite 1890 | fire 1891 | fires 1892 | firm 1893 | firmly 1894 | first 1895 | fiscal 1896 | fiscally 1897 | fit 1898 | fits 1899 | fitted 1900 | fitting 1901 | five 1902 | fix 1903 | fixed 1904 | flat 1905 | flexibility 1906 | flexible 1907 | flip 1908 | floor 1909 | flop 1910 | flops 1911 | flow 1912 | flowing 1913 | follow 1914 | followed 1915 | following 1916 | follows 1917 | food 1918 | foot 1919 | for 1920 | force 1921 | forced 1922 | forceful 1923 | forces 1924 | foregoing 1925 | foreign 1926 | forest 1927 | form 1928 | formal 1929 | formally 1930 | format 1931 | formation 1932 | formats 1933 | formatted 1934 | formed 1935 | former 1936 | forming 1937 | forms 1938 | formula 1939 | formulae 1940 | formulated 1941 | formulation 1942 | forth 1943 | fortran 1944 | forward 1945 | found 1946 | four 1947 | fourth 1948 | fraction 1949 | fractions 1950 | frame 1951 | frames 1952 | framework 1953 | framing 1954 | free 1955 | freed 1956 | freedom 1957 | freely 1958 | french 1959 | frequencies 1960 | frequency 1961 | frequent 1962 | frequently 1963 | fresh 1964 | friend 1965 | friendly 1966 | friends 1967 | from 1968 | front 1969 | fulfill 1970 | fulfilled 1971 | fulfilling 1972 | full 1973 | fully 1974 | function 1975 | functional 1976 | functionally 1977 | functioning 1978 | functions 1979 | fund 1980 | fundamental 1981 | funded 1982 | funding 1983 | funds 1984 | furnish 1985 | furnished 1986 | furnishes 1987 | further 1988 | furthermore 1989 | future 1990 | gain 1991 | gained 1992 | gainers 1993 | gaining 1994 | gains 1995 | gap 1996 | gas 1997 | gaseous 1998 | gases 1999 | gate 2000 | gates 2001 | gather 2002 | gathered 2003 | gathering 2004 | gating 2005 | gauge 2006 | gauges 2007 | gave 2008 | general 2009 | generalist 2010 | generalists 2011 | generality 2012 | generalization 2013 | generalize 2014 | generalized 2015 | generally 2016 | generals 2017 | generate 2018 | generated 2019 | generates 2020 | generating 2021 | generation 2022 | generator 2023 | generators 2024 | geographical 2025 | geographically 2026 | geometries 2027 | geometry 2028 | german 2029 | germany 2030 | get 2031 | gets 2032 | getting 2033 | give 2034 | given 2035 | gives 2036 | giving 2037 | glance 2038 | glass 2039 | glasses 2040 | global 2041 | glow 2042 | go 2043 | goal 2044 | goals 2045 | goes 2046 | going 2047 | gone 2048 | good 2049 | goods 2050 | govern 2051 | governed 2052 | governing 2053 | government 2054 | governmental 2055 | governments 2056 | gradually 2057 | graduate 2058 | graduates 2059 | graduating 2060 | grant 2061 | granted 2062 | granting 2063 | graph 2064 | graphic 2065 | graphical 2066 | graphics 2067 | graphs 2068 | great 2069 | greater 2070 | greatest 2071 | greatly 2072 | green 2073 | gross 2074 | grossly 2075 | ground 2076 | grounded 2077 | grounds 2078 | group 2079 | grouped 2080 | grouping 2081 | groupings 2082 | groups 2083 | grow 2084 | growing 2085 | grown 2086 | grows 2087 | growth 2088 | guarantee 2089 | guaranteed 2090 | guaranteeing 2091 | guarantees 2092 | guard 2093 | guarded 2094 | gudeance 2095 | guess 2096 | guessed 2097 | guesses 2098 | guests 2099 | guidance 2100 | guide 2101 | guided 2102 | guidelines 2103 | guiding 2104 | habit 2105 | habits 2106 | had 2107 | hair 2108 | half 2109 | hall 2110 | halls 2111 | hand 2112 | handbook 2113 | handle 2114 | handled 2115 | handler 2116 | handles 2117 | handling 2118 | hands 2119 | hang 2120 | hanging 2121 | hangs 2122 | happen 2123 | happened 2124 | happening 2125 | happens 2126 | hard 2127 | harder 2128 | hardly 2129 | hardware 2130 | has 2131 | have 2132 | having 2133 | hazy 2134 | he 2135 | head 2136 | headings 2137 | heads 2138 | health 2139 | healthy 2140 | hear 2141 | heard 2142 | hearing 2143 | heat 2144 | heating 2145 | heavily 2146 | heavy 2147 | height 2148 | heights 2149 | held 2150 | help 2151 | helped 2152 | helpful 2153 | helps 2154 | hence 2155 | her 2156 | here 2157 | herein 2158 | hereinafter 2159 | hers 2160 | hesitate 2161 | hidden 2162 | hierarchal 2163 | hierarchical 2164 | hierarchy 2165 | high 2166 | higher 2167 | highest 2168 | highly 2169 | hill 2170 | him 2171 | himself 2172 | hire 2173 | hired 2174 | hiring 2175 | his 2176 | historic 2177 | historical 2178 | history 2179 | hold 2180 | holding 2181 | holds 2182 | hole 2183 | holes 2184 | holidays 2185 | home 2186 | hook 2187 | hope 2188 | hoped 2189 | hopefully 2190 | hopes 2191 | horizontal 2192 | horizontally 2193 | hospital 2194 | hospitals 2195 | host 2196 | hot 2197 | hour 2198 | hours 2199 | house 2200 | houses 2201 | housing 2202 | how 2203 | however 2204 | human 2205 | humanly 2206 | humans 2207 | hundred 2208 | hundreds 2209 | hypotheses 2210 | hypothesis 2211 | hypothesized 2212 | hypothetical 2213 | idea 2214 | ideal 2215 | ideally 2216 | ideas 2217 | identical 2218 | identifiable 2219 | identification 2220 | identifications 2221 | identified 2222 | identifies 2223 | identify 2224 | identifying 2225 | identity 2226 | idle 2227 | if 2228 | ignore 2229 | ignored 2230 | ignores 2231 | ignoring 2232 | illness 2233 | illustrate 2234 | illustrated 2235 | illustrates 2236 | illustrating 2237 | illustration 2238 | illustrations 2239 | illustrative 2240 | illustratively 2241 | image 2242 | images 2243 | immediate 2244 | immediately 2245 | impact 2246 | impedance 2247 | impede 2248 | implement 2249 | implementation 2250 | implemented 2251 | implementing 2252 | implementors 2253 | implications 2254 | implicitly 2255 | implied 2256 | implies 2257 | imply 2258 | implying 2259 | importance 2260 | important 2261 | impose 2262 | imposed 2263 | impossibility 2264 | impossible 2265 | impressed 2266 | impression 2267 | impressions 2268 | impressive 2269 | impressively 2270 | improve 2271 | improved 2272 | improvement 2273 | improvements 2274 | improving 2275 | impurities 2276 | impurity 2277 | in 2278 | inability 2279 | inaccessible 2280 | inactive 2281 | inadequacy 2282 | inadequate 2283 | inappropriate 2284 | inches 2285 | inclination 2286 | inclined 2287 | include 2288 | included 2289 | includes 2290 | including 2291 | incoming 2292 | incompetence 2293 | incompetent 2294 | incomplete 2295 | inconsistent 2296 | inconvenience 2297 | inconvenienced 2298 | inconvenient 2299 | incorporate 2300 | incorporated 2301 | incorporates 2302 | incorporating 2303 | incorporation 2304 | incorrect 2305 | incorrectly 2306 | increase 2307 | increased 2308 | increases 2309 | increasing 2310 | increasingly 2311 | increment 2312 | incremental 2313 | incremented 2314 | incrementing 2315 | increments 2316 | incur 2317 | incurred 2318 | incurring 2319 | indeces 2320 | indeed 2321 | indefinite 2322 | independence 2323 | independent 2324 | independently 2325 | index 2326 | indexed 2327 | indexes 2328 | indexing 2329 | india 2330 | indicate 2331 | indicated 2332 | indicates 2333 | indicating 2334 | indication 2335 | indications 2336 | indicative 2337 | indicator 2338 | indicators 2339 | indices 2340 | indifferent 2341 | individual 2342 | individualized 2343 | individuals 2344 | industrial 2345 | industry 2346 | ineffective 2347 | inefficiency 2348 | inefficient 2349 | inequalities 2350 | inequality 2351 | inexperienced 2352 | infer 2353 | inference 2354 | inferences 2355 | influence 2356 | influencing 2357 | influential 2358 | inform 2359 | informal 2360 | informally 2361 | information 2362 | informational 2363 | informations 2364 | informative 2365 | informed 2366 | informing 2367 | infrequently 2368 | inherent 2369 | inhibits 2370 | initial 2371 | initialed 2372 | initialization 2373 | initialize 2374 | initializes 2375 | initially 2376 | initiate 2377 | initiated 2378 | initiating 2379 | initiation 2380 | initiative 2381 | inner 2382 | input 2383 | inputs 2384 | insert 2385 | inserted 2386 | inserting 2387 | insertion 2388 | insertions 2389 | inserts 2390 | inside 2391 | insight 2392 | insights 2393 | insist 2394 | instability 2395 | install 2396 | installation 2397 | installations 2398 | installed 2399 | installing 2400 | instance 2401 | instances 2402 | instant 2403 | instantaneously 2404 | instead 2405 | institute 2406 | instituted 2407 | institutes 2408 | institution 2409 | institutional 2410 | institutions 2411 | instructed 2412 | instruction 2413 | instructional 2414 | instructions 2415 | instructor 2416 | instructors 2417 | insufficient 2418 | insurance 2419 | insure 2420 | insured 2421 | insures 2422 | integer 2423 | integers 2424 | integral 2425 | integrated 2426 | integrating 2427 | intellectual 2428 | intelligibility 2429 | intelligible 2430 | intended 2431 | intends 2432 | intense 2433 | intensely 2434 | intensity 2435 | intensive 2436 | intent 2437 | inter 2438 | interact 2439 | interacting 2440 | interaction 2441 | interactions 2442 | interactive 2443 | interacts 2444 | interchange 2445 | interchangeable 2446 | interchangeably 2447 | interconnect 2448 | interconnected 2449 | interconnection 2450 | interconnections 2451 | interconnects 2452 | interest 2453 | interested 2454 | interesting 2455 | interests 2456 | interface 2457 | interfaces 2458 | interior 2459 | interlocation 2460 | intermediary 2461 | intermediate 2462 | internal 2463 | internally 2464 | international 2465 | internationally 2466 | interpret 2467 | interpretable 2468 | interpretation 2469 | interpretations 2470 | interpreted 2471 | interrelationship 2472 | interrelationships 2473 | interrupt 2474 | interrupted 2475 | interrupting 2476 | interruption 2477 | interruptions 2478 | interstage 2479 | interval 2480 | intervals 2481 | interview 2482 | interviewed 2483 | interviewing 2484 | interviews 2485 | intimate 2486 | intimately 2487 | into 2488 | introduce 2489 | introduced 2490 | introduces 2491 | introducing 2492 | introduction 2493 | introductory 2494 | invalid 2495 | invalidates 2496 | invent 2497 | invented 2498 | invention 2499 | inventive 2500 | inventor 2501 | inventories 2502 | inventory 2503 | inverse 2504 | inversely 2505 | inverted 2506 | inverter 2507 | invest 2508 | investigate 2509 | investigated 2510 | investigation 2511 | investigations 2512 | investment 2513 | investments 2514 | invite 2515 | invites 2516 | involve 2517 | involved 2518 | involvement 2519 | involves 2520 | involving 2521 | ion 2522 | ions 2523 | irrelevant 2524 | is 2525 | isolate 2526 | isolated 2527 | isolation 2528 | issue 2529 | issued 2530 | issues 2531 | it 2532 | item 2533 | itemized 2534 | items 2535 | iteration 2536 | iterations 2537 | its 2538 | itself 2539 | james 2540 | january 2541 | jargon 2542 | jersey 2543 | job 2544 | jobs 2545 | john 2546 | johnson 2547 | join 2548 | joined 2549 | joint 2550 | jointly 2551 | journal 2552 | journals 2553 | jr 2554 | judge 2555 | judged 2556 | judgment 2557 | judgmental 2558 | judgments 2559 | judicious 2560 | judiciously 2561 | july 2562 | jump 2563 | jumps 2564 | june 2565 | just 2566 | justice 2567 | justification 2568 | justified 2569 | justify 2570 | justifying 2571 | keep 2572 | keeping 2573 | keeps 2574 | kennedy 2575 | kept 2576 | key 2577 | keyed 2578 | keys 2579 | kill 2580 | kind 2581 | kinds 2582 | knew 2583 | know 2584 | knowing 2585 | knowingly 2586 | knowledge 2587 | knowledgeable 2588 | known 2589 | knows 2590 | label 2591 | labeled 2592 | labeling 2593 | labelled 2594 | labelling 2595 | labels 2596 | laboratories 2597 | laboratory 2598 | lack 2599 | lacking 2600 | lacks 2601 | lag 2602 | laid 2603 | land 2604 | language 2605 | languages 2606 | large 2607 | largely 2608 | larger 2609 | largest 2610 | laser 2611 | lasers 2612 | last 2613 | late 2614 | later 2615 | latest 2616 | latter 2617 | law 2618 | laws 2619 | lay 2620 | layer 2621 | layers 2622 | laying 2623 | layout 2624 | layouts 2625 | lays 2626 | lead 2627 | leader 2628 | leaders 2629 | leadership 2630 | leading 2631 | leads 2632 | learn 2633 | learned 2634 | learning 2635 | least 2636 | leave 2637 | leaves 2638 | leaving 2639 | led 2640 | left 2641 | leftmost 2642 | legal 2643 | legally 2644 | legitimate 2645 | lend 2646 | lending 2647 | length 2648 | lengthening 2649 | lengthens 2650 | lengths 2651 | lengthy 2652 | less 2653 | lessened 2654 | lesser 2655 | let 2656 | lets 2657 | letter 2658 | letters 2659 | letting 2660 | level 2661 | levels 2662 | liability 2663 | liable 2664 | liason 2665 | liberal 2666 | liberalized 2667 | librarian 2668 | librarians 2669 | libraries 2670 | library 2671 | lie 2672 | lies 2673 | life 2674 | light 2675 | lighting 2676 | lights 2677 | like 2678 | likely 2679 | likened 2680 | likewise 2681 | limit 2682 | limitation 2683 | limitations 2684 | limited 2685 | limiting 2686 | limits 2687 | line 2688 | linear 2689 | linearly 2690 | lines 2691 | link 2692 | linkage 2693 | linkages 2694 | linked 2695 | linking 2696 | links 2697 | list 2698 | listed 2699 | listing 2700 | lists 2701 | literal 2702 | literally 2703 | literature 2704 | little 2705 | live 2706 | lived 2707 | load 2708 | loaded 2709 | loading 2710 | loads 2711 | loan 2712 | loaned 2713 | loans 2714 | local 2715 | locally 2716 | locate 2717 | located 2718 | locates 2719 | locating 2720 | location 2721 | locations 2722 | log 2723 | logged 2724 | logging 2725 | logic 2726 | logical 2727 | long 2728 | longer 2729 | longest 2730 | look 2731 | looked 2732 | looking 2733 | looks 2734 | loop 2735 | loops 2736 | lose 2737 | loses 2738 | losing 2739 | loss 2740 | losses 2741 | lost 2742 | lot 2743 | low 2744 | lower 2745 | lowest 2746 | machine 2747 | machinery 2748 | machines 2749 | made 2750 | magnetic 2751 | magnitude 2752 | magnitudes 2753 | mail 2754 | mailed 2755 | mailing 2756 | mails 2757 | main 2758 | mainly 2759 | maintain 2760 | maintained 2761 | maintaining 2762 | maintains 2763 | maintenance 2764 | major 2765 | majority 2766 | majors 2767 | make 2768 | maker 2769 | makers 2770 | makes 2771 | making 2772 | male 2773 | males 2774 | man 2775 | manage 2776 | manageable 2777 | managed 2778 | management 2779 | managements 2780 | manager 2781 | managerial 2782 | managers 2783 | managing 2784 | manipulate 2785 | manipulation 2786 | manned 2787 | manner 2788 | manning 2789 | manual 2790 | manually 2791 | manuals 2792 | manufactured 2793 | manufacturer 2794 | manufacturers 2795 | manufacturing 2796 | manuscript 2797 | manuscripts 2798 | many 2799 | map 2800 | mapped 2801 | mapping 2802 | maps 2803 | march 2804 | margin 2805 | marginal 2806 | margins 2807 | mark 2808 | marked 2809 | markedly 2810 | market 2811 | marketability 2812 | marketing 2813 | markets 2814 | marking 2815 | marks 2816 | mask 2817 | masked 2818 | masking 2819 | mass 2820 | master 2821 | mastered 2822 | masters 2823 | match 2824 | matched 2825 | matches 2826 | matching 2827 | material 2828 | materials 2829 | mathematical 2830 | mathematically 2831 | mathematician 2832 | mathematicians 2833 | mathematics 2834 | matrices 2835 | matrix 2836 | matter 2837 | matters 2838 | maximizes 2839 | maximum 2840 | may 2841 | me 2842 | mean 2843 | meaning 2844 | meaningful 2845 | meaningfulness 2846 | meaningless 2847 | meanings 2848 | means 2849 | meant 2850 | measurable 2851 | measure 2852 | measured 2853 | measurement 2854 | measurements 2855 | measures 2856 | measuring 2857 | mechanical 2858 | mechanics 2859 | mechanism 2860 | mechanisms 2861 | media 2862 | median 2863 | medical 2864 | medicine 2865 | medium 2866 | meet 2867 | meeting 2868 | meetings 2869 | meets 2870 | member 2871 | members 2872 | membership 2873 | memberships 2874 | memoranda 2875 | memorandum 2876 | memory 2877 | men 2878 | mention 2879 | mentioned 2880 | mere 2881 | merely 2882 | merge 2883 | merged 2884 | merging 2885 | merit 2886 | message 2887 | messages 2888 | met 2889 | metal 2890 | metallization 2891 | metallurgy 2892 | metals 2893 | method 2894 | methodological 2895 | methodologies 2896 | methodology 2897 | methods 2898 | metric 2899 | microfilm 2900 | middle 2901 | might 2902 | mileage 2903 | miles 2904 | military 2905 | million 2906 | mind 2907 | minded 2908 | minds 2909 | minimal 2910 | minimize 2911 | minimized 2912 | minimizes 2913 | minimizing 2914 | minimum 2915 | minister 2916 | minor 2917 | minority 2918 | minute 2919 | minutes 2920 | miscellaneous 2921 | missed 2922 | missing 2923 | mistake 2924 | mistakes 2925 | mix 2926 | mixed 2927 | mixes 2928 | mixture 2929 | mode 2930 | model 2931 | modeling 2932 | models 2933 | moderate 2934 | modern 2935 | modes 2936 | modification 2937 | modifications 2938 | modified 2939 | modifies 2940 | modify 2941 | modifying 2942 | modular 2943 | module 2944 | modules 2945 | modulo 2946 | moment 2947 | momentarily 2948 | money 2949 | monitor 2950 | monotone 2951 | monotonic 2952 | monotonically 2953 | month 2954 | monthly 2955 | months 2956 | moon 2957 | moral 2958 | more 2959 | moreover 2960 | morgan 2961 | morning 2962 | most 2963 | mostly 2964 | motivated 2965 | motivation 2966 | motor 2967 | mount 2968 | mounted 2969 | mounting 2970 | move 2971 | moved 2972 | moves 2973 | moving 2974 | much 2975 | multi 2976 | multidimensional 2977 | multiple 2978 | multiplication 2979 | multiplied 2980 | multiplier 2981 | multipliers 2982 | multiply 2983 | multiprogram 2984 | multiprogrammed 2985 | multiprogramming 2986 | multistage 2987 | multivariate 2988 | murder 2989 | murray 2990 | must 2991 | mutually 2992 | my 2993 | name 2994 | named 2995 | namely 2996 | names 2997 | naming 2998 | narrow 2999 | nation 3000 | national 3001 | nationally 3002 | nations 3003 | natural 3004 | naturally 3005 | nature 3006 | near 3007 | nearer 3008 | nearest 3009 | nearly 3010 | necessarily 3011 | necessary 3012 | necessitate 3013 | necessitates 3014 | necessity 3015 | need 3016 | needed 3017 | needing 3018 | needs 3019 | negate 3020 | negated 3021 | negative 3022 | neglect 3023 | neglected 3024 | neighbor 3025 | neighboring 3026 | neither 3027 | net 3028 | network 3029 | networks 3030 | neutral 3031 | never 3032 | nevertheless 3033 | new 3034 | newer 3035 | newest 3036 | newly 3037 | news 3038 | next 3039 | nice 3040 | night 3041 | nine 3042 | no 3043 | nobody 3044 | node 3045 | nodes 3046 | noise 3047 | noisy 3048 | non 3049 | none 3050 | nonexistence 3051 | nonlinear 3052 | nonlinearity 3053 | nonowners 3054 | nonzero 3055 | nor 3056 | norm 3057 | normal 3058 | normality 3059 | normalized 3060 | normalizes 3061 | normally 3062 | norms 3063 | north 3064 | not 3065 | notable 3066 | notably 3067 | notation 3068 | note 3069 | noted 3070 | notes 3071 | noteworthy 3072 | nothing 3073 | notice 3074 | noticeable 3075 | noticeably 3076 | noticed 3077 | notification 3078 | notified 3079 | notify 3080 | noting 3081 | novel 3082 | november 3083 | now 3084 | nuclear 3085 | number 3086 | numbered 3087 | numbering 3088 | numbers 3089 | numeric 3090 | numerical 3091 | numerically 3092 | numerous 3093 | object 3094 | objectionable 3095 | objective 3096 | objectively 3097 | objectives 3098 | objects 3099 | obligation 3100 | obligatory 3101 | observation 3102 | observations 3103 | observe 3104 | observed 3105 | observer 3106 | observing 3107 | obsolete 3108 | obtain 3109 | obtained 3110 | obtaining 3111 | obtains 3112 | obvious 3113 | obviously 3114 | occasion 3115 | occasional 3116 | occasionally 3117 | occupancy 3118 | occupations 3119 | occupied 3120 | occupies 3121 | occupy 3122 | occupying 3123 | occur 3124 | occurred 3125 | occurrence 3126 | occurrences 3127 | occurring 3128 | occurs 3129 | october 3130 | odd 3131 | of 3132 | off 3133 | offer 3134 | offered 3135 | offering 3136 | offerings 3137 | offers 3138 | office 3139 | officer 3140 | officers 3141 | offices 3142 | official 3143 | officially 3144 | officials 3145 | often 3146 | oil 3147 | old 3148 | older 3149 | omission 3150 | omitted 3151 | on 3152 | once 3153 | one 3154 | ones 3155 | only 3156 | onto 3157 | open 3158 | opened 3159 | opening 3160 | openings 3161 | opens 3162 | operable 3163 | operate 3164 | operated 3165 | operates 3166 | operating 3167 | operation 3168 | operational 3169 | operations 3170 | operative 3171 | operator 3172 | operators 3173 | opinion 3174 | opinions 3175 | opportunism 3176 | opportunities 3177 | opportunity 3178 | opposite 3179 | optical 3180 | optically 3181 | optimal 3182 | optimality 3183 | optimistic 3184 | optimization 3185 | optimum 3186 | option 3187 | options 3188 | or 3189 | oral 3190 | orally 3191 | order 3192 | ordered 3193 | ordering 3194 | orderings 3195 | orderly 3196 | orders 3197 | ordinary 3198 | organization 3199 | organizational 3200 | organizations 3201 | organize 3202 | organized 3203 | organizer 3204 | organizing 3205 | orientation 3206 | oriented 3207 | origin 3208 | original 3209 | originally 3210 | originals 3211 | originated 3212 | originating 3213 | originator 3214 | orthogonal 3215 | other 3216 | others 3217 | otherwise 3218 | ought 3219 | our 3220 | ourselves 3221 | out 3222 | outcome 3223 | outcomes 3224 | outgoing 3225 | outline 3226 | outlined 3227 | outlines 3228 | outlining 3229 | output 3230 | outputs 3231 | outs 3232 | outset 3233 | outside 3234 | outsiders 3235 | over 3236 | overall 3237 | overhead 3238 | overlap 3239 | overlaps 3240 | overly 3241 | overview 3242 | overviews 3243 | own 3244 | owned 3245 | owner 3246 | owners 3247 | owns 3248 | package 3249 | packages 3250 | packing 3251 | packs 3252 | page 3253 | pages 3254 | paid 3255 | pain 3256 | painful 3257 | pair 3258 | paired 3259 | pairs 3260 | panel 3261 | panels 3262 | paper 3263 | papers 3264 | paragraph 3265 | paragraphs 3266 | parallel 3267 | parameter 3268 | parameters 3269 | paramount 3270 | part 3271 | partial 3272 | partially 3273 | participants 3274 | participated 3275 | participating 3276 | particular 3277 | particularly 3278 | parties 3279 | partition 3280 | partitioned 3281 | partitioning 3282 | partitions 3283 | partly 3284 | parts 3285 | party 3286 | pass 3287 | passage 3288 | passed 3289 | passes 3290 | passing 3291 | past 3292 | patent 3293 | patentable 3294 | patented 3295 | patents 3296 | path 3297 | paths 3298 | patient 3299 | patients 3300 | pattern 3301 | patterns 3302 | pause 3303 | pauses 3304 | pay 3305 | pays 3306 | peak 3307 | pension 3308 | pensions 3309 | people 3310 | per 3311 | perceived 3312 | percent 3313 | percentage 3314 | percentages 3315 | perceptible 3316 | perceptibly 3317 | perceptions 3318 | perceptual 3319 | perfect 3320 | perfectly 3321 | perform 3322 | performance 3323 | performed 3324 | performing 3325 | performs 3326 | perhaps 3327 | period 3328 | periodic 3329 | periodically 3330 | periodicals 3331 | periods 3332 | peripheral 3333 | peripherals 3334 | periphery 3335 | permanent 3336 | permanently 3337 | permissible 3338 | permission 3339 | permissions 3340 | permissive 3341 | permit 3342 | permits 3343 | permitted 3344 | permitting 3345 | person 3346 | personal 3347 | personalized 3348 | personally 3349 | personnel 3350 | persons 3351 | pertain 3352 | pertaining 3353 | pertains 3354 | pertinent 3355 | perusal 3356 | phase 3357 | phased 3358 | phases 3359 | phenomena 3360 | philosophy 3361 | photocopied 3362 | photocopies 3363 | photocopy 3364 | photocopying 3365 | physical 3366 | physically 3367 | pick 3368 | picked 3369 | picking 3370 | pickup 3371 | pictorial 3372 | picture 3373 | pictures 3374 | piece 3375 | pieces 3376 | pile 3377 | piles 3378 | pilot 3379 | pipe 3380 | piped 3381 | pipes 3382 | pitfalls 3383 | place 3384 | placed 3385 | places 3386 | placing 3387 | plan 3388 | planar 3389 | plane 3390 | planned 3391 | planner 3392 | planning 3393 | plans 3394 | plant 3395 | plants 3396 | plausible 3397 | play 3398 | played 3399 | players 3400 | playing 3401 | plays 3402 | pleasant 3403 | please 3404 | pleased 3405 | pleasing 3406 | plots 3407 | plotted 3408 | plotter 3409 | plotters 3410 | plotting 3411 | plurality 3412 | plus 3413 | point 3414 | pointed 3415 | pointer 3416 | pointers 3417 | pointing 3418 | points 3419 | polarity 3420 | police 3421 | policies 3422 | policy 3423 | political 3424 | politically 3425 | pollution 3426 | polymers 3427 | polynomial 3428 | polynomials 3429 | pool 3430 | pooled 3431 | pooling 3432 | pools 3433 | poor 3434 | poorer 3435 | poorly 3436 | popular 3437 | popularity 3438 | populating 3439 | population 3440 | porter 3441 | portion 3442 | portions 3443 | position 3444 | positions 3445 | positive 3446 | possess 3447 | possession 3448 | possibilities 3449 | possibility 3450 | possible 3451 | possibly 3452 | post 3453 | posts 3454 | potential 3455 | potentially 3456 | power 3457 | powerful 3458 | practicable 3459 | practical 3460 | practice 3461 | practiced 3462 | practices 3463 | practicing 3464 | practitioners 3465 | preassigned 3466 | precede 3467 | preceded 3468 | preceding 3469 | precise 3470 | precisely 3471 | precision 3472 | predetermined 3473 | predict 3474 | predicted 3475 | predicting 3476 | prediction 3477 | predictions 3478 | prefer 3479 | preferable 3480 | preference 3481 | preferences 3482 | preferred 3483 | premium 3484 | premiums 3485 | preparation 3486 | prepare 3487 | prepared 3488 | preparing 3489 | prescription 3490 | presence 3491 | present 3492 | presentation 3493 | presentations 3494 | presented 3495 | presently 3496 | presents 3497 | press 3498 | pressed 3499 | pressure 3500 | pressurized 3501 | presumably 3502 | presumed 3503 | pretty 3504 | prevent 3505 | prevented 3506 | preventing 3507 | preventive 3508 | prevents 3509 | previous 3510 | previously 3511 | price 3512 | priced 3513 | prices 3514 | pricing 3515 | primarily 3516 | primary 3517 | prime 3518 | priming 3519 | principal 3520 | principle 3521 | principles 3522 | print 3523 | printed 3524 | printer 3525 | printers 3526 | printing 3527 | prints 3528 | prior 3529 | priori 3530 | priorities 3531 | priority 3532 | privacy 3533 | private 3534 | privilege 3535 | privileged 3536 | privileges 3537 | probabilities 3538 | probability 3539 | probable 3540 | probably 3541 | problem 3542 | problematical 3543 | problems 3544 | proc 3545 | procedural 3546 | procedure 3547 | procedures 3548 | proceed 3549 | proceeded 3550 | proceeding 3551 | proceeds 3552 | process 3553 | processed 3554 | processes 3555 | processing 3556 | processor 3557 | processors 3558 | produce 3559 | produced 3560 | produces 3561 | producing 3562 | product 3563 | production 3564 | productive 3565 | productivity 3566 | products 3567 | profession 3568 | professional 3569 | professionalism 3570 | professionally 3571 | professionals 3572 | professor 3573 | professors 3574 | profile 3575 | profiles 3576 | program 3577 | programmed 3578 | programmer 3579 | programmers 3580 | programming 3581 | programs 3582 | progress 3583 | progresses 3584 | prohibited 3585 | prohibitively 3586 | prohibits 3587 | project 3588 | projected 3589 | projection 3590 | projections 3591 | projectors 3592 | projects 3593 | promotion 3594 | promotional 3595 | promotions 3596 | prompt 3597 | prompting 3598 | promptly 3599 | pronounced 3600 | proof 3601 | propagate 3602 | propagated 3603 | propagating 3604 | propagation 3605 | proper 3606 | properly 3607 | properties 3608 | property 3609 | proportion 3610 | proportional 3611 | proportionate 3612 | proportions 3613 | proposal 3614 | proposals 3615 | propose 3616 | proposed 3617 | proposes 3618 | prospects 3619 | protect 3620 | protected 3621 | protecting 3622 | protection 3623 | protects 3624 | proters 3625 | prove 3626 | proved 3627 | proven 3628 | proves 3629 | provide 3630 | provided 3631 | provides 3632 | providing 3633 | proving 3634 | provision 3635 | provisional 3636 | provisionally 3637 | provisions 3638 | public 3639 | publication 3640 | publications 3641 | publicly 3642 | publish 3643 | published 3644 | pulse 3645 | pulses 3646 | purchase 3647 | purchased 3648 | purchases 3649 | purchasing 3650 | pure 3651 | purely 3652 | purpose 3653 | purposes 3654 | pushed 3655 | pushing 3656 | put 3657 | puts 3658 | putting 3659 | qualities 3660 | quality 3661 | quantities 3662 | quantity 3663 | quantization 3664 | quarter 3665 | quarterly 3666 | question 3667 | questionable 3668 | questioning 3669 | questionnaire 3670 | questionnaires 3671 | questions 3672 | quick 3673 | quickly 3674 | quiet 3675 | quite 3676 | quote 3677 | quoted 3678 | quotes 3679 | radio 3680 | raise 3681 | raised 3682 | random 3683 | randomly 3684 | range 3685 | ranged 3686 | ranges 3687 | ranging 3688 | rank 3689 | ranking 3690 | rankings 3691 | ranks 3692 | rapid 3693 | rapidly 3694 | rare 3695 | rarely 3696 | rate 3697 | rated 3698 | rates 3699 | rather 3700 | rating 3701 | ratings 3702 | ratio 3703 | rational 3704 | ratios 3705 | ray 3706 | rays 3707 | reach 3708 | reached 3709 | reaches 3710 | reaching 3711 | reaction 3712 | reactions 3713 | read 3714 | readable 3715 | reader 3716 | readers 3717 | readily 3718 | reading 3719 | readings 3720 | reads 3721 | ready 3722 | real 3723 | realistic 3724 | realistically 3725 | realities 3726 | reality 3727 | realization 3728 | realize 3729 | realized 3730 | realizing 3731 | really 3732 | rear 3733 | reason 3734 | reasonable 3735 | reasonably 3736 | reasons 3737 | reassigned 3738 | reassignment 3739 | receipts 3740 | receive 3741 | received 3742 | receiver 3743 | receivers 3744 | receives 3745 | receiving 3746 | recent 3747 | recently 3748 | recognition 3749 | recognize 3750 | recognized 3751 | recognizes 3752 | recognizing 3753 | recommend 3754 | recommendation 3755 | recommendations 3756 | recommended 3757 | recommending 3758 | record 3759 | recorded 3760 | recorders 3761 | recording 3762 | recordings 3763 | records 3764 | recover 3765 | recovered 3766 | recovering 3767 | recovers 3768 | recovery 3769 | rectangular 3770 | recurring 3771 | recursive 3772 | recursively 3773 | red 3774 | reduce 3775 | reduced 3776 | reduces 3777 | reducing 3778 | reduction 3779 | reductions 3780 | refer 3781 | reference 3782 | referenced 3783 | references 3784 | referencing 3785 | referral 3786 | referred 3787 | referring 3788 | refers 3789 | reflect 3790 | reflected 3791 | reflecting 3792 | reflection 3793 | reflections 3794 | refused 3795 | regard 3796 | regarded 3797 | regarding 3798 | regardless 3799 | region 3800 | regional 3801 | regionally 3802 | regions 3803 | register 3804 | registered 3805 | registers 3806 | registration 3807 | regression 3808 | regular 3809 | regularly 3810 | regulated 3811 | regulations 3812 | reinforced 3813 | reinforces 3814 | reinforcing 3815 | reject 3816 | rejected 3817 | rejecting 3818 | rejection 3819 | rejects 3820 | relate 3821 | related 3822 | relates 3823 | relating 3824 | relation 3825 | relations 3826 | relationship 3827 | relationships 3828 | relative 3829 | relatively 3830 | relay 3831 | relayed 3832 | release 3833 | released 3834 | releases 3835 | relevance 3836 | relevant 3837 | reliability 3838 | reliable 3839 | relief 3840 | remain 3841 | remainder 3842 | remained 3843 | remaining 3844 | remains 3845 | remarkable 3846 | remarkably 3847 | remarks 3848 | remember 3849 | remembered 3850 | remembers 3851 | remote 3852 | remotely 3853 | removal 3854 | remove 3855 | removed 3856 | removes 3857 | removing 3858 | rent 3859 | rental 3860 | rentals 3861 | renting 3862 | repair 3863 | repaired 3864 | repairing 3865 | repairs 3866 | repeat 3867 | repeated 3868 | repeatedly 3869 | repeater 3870 | repeaters 3871 | repeating 3872 | repeats 3873 | repetitions 3874 | repetitive 3875 | replace 3876 | replaced 3877 | replacement 3878 | replaces 3879 | replacing 3880 | report 3881 | reported 3882 | reporters 3883 | reporting 3884 | reports 3885 | represent 3886 | representation 3887 | representations 3888 | representative 3889 | representatives 3890 | represented 3891 | representing 3892 | represents 3893 | reproduce 3894 | reproducing 3895 | reproduction 3896 | reputation 3897 | request 3898 | requested 3899 | requesting 3900 | requests 3901 | require 3902 | required 3903 | requirement 3904 | requirements 3905 | requires 3906 | requiring 3907 | requisite 3908 | requisition 3909 | requisitions 3910 | research 3911 | researcher 3912 | researchers 3913 | resemblance 3914 | resemble 3915 | resembles 3916 | reserve 3917 | reserved 3918 | reset 3919 | resetting 3920 | resident 3921 | resist 3922 | resistance 3923 | resisted 3924 | resistivity 3925 | resistor 3926 | resistors 3927 | resolution 3928 | resolve 3929 | resolved 3930 | resource 3931 | resources 3932 | respect 3933 | respected 3934 | respective 3935 | respectively 3936 | respects 3937 | respond 3938 | respondent 3939 | respondents 3940 | response 3941 | responses 3942 | responsibilities 3943 | responsibility 3944 | responsible 3945 | responsibly 3946 | responsive 3947 | rest 3948 | resting 3949 | restore 3950 | restored 3951 | restoring 3952 | restrict 3953 | restricted 3954 | restriction 3955 | restrictions 3956 | restrictive 3957 | result 3958 | resultant 3959 | resulted 3960 | resulting 3961 | results 3962 | retrieval 3963 | retrieve 3964 | retrieved 3965 | return 3966 | returned 3967 | returning 3968 | returns 3969 | reveal 3970 | revealed 3971 | revealing 3972 | reveals 3973 | reverse 3974 | review 3975 | reviewed 3976 | revised 3977 | revision 3978 | revisions 3979 | reward 3980 | rewarding 3981 | rewards 3982 | rewritten 3983 | rich 3984 | right 3985 | rights 3986 | rigid 3987 | rigidly 3988 | rise 3989 | risk 3990 | risks 3991 | roads 3992 | role 3993 | roles 3994 | room 3995 | rooms 3996 | root 3997 | rooted 3998 | roots 3999 | rose 4000 | rotate 4001 | rotation 4002 | rotations 4003 | rough 4004 | roughly 4005 | round 4006 | rounded 4007 | rounding 4008 | route 4009 | routed 4010 | routes 4011 | routine 4012 | routines 4013 | routing 4014 | routings 4015 | row 4016 | rows 4017 | rule 4018 | ruled 4019 | rules 4020 | run 4021 | running 4022 | runs 4023 | sacrificing 4024 | safe 4025 | safely 4026 | safety 4027 | said 4028 | salary 4029 | sale 4030 | saleable 4031 | sales 4032 | same 4033 | sample 4034 | samples 4035 | sampling 4036 | san 4037 | satisfaction 4038 | satisfactorily 4039 | satisfactory 4040 | satisfied 4041 | satisfies 4042 | satisfy 4043 | satisfying 4044 | save 4045 | saved 4046 | saving 4047 | savings 4048 | say 4049 | saying 4050 | says 4051 | scalar 4052 | scale 4053 | scaled 4054 | scaling 4055 | scan 4056 | scanned 4057 | scanning 4058 | scans 4059 | schedule 4060 | scheduled 4061 | schedules 4062 | scheduling 4063 | schematically 4064 | scheme 4065 | schemes 4066 | school 4067 | schooled 4068 | schools 4069 | science 4070 | sciences 4071 | scientific 4072 | scientifically 4073 | scientist 4074 | scientists 4075 | scope 4076 | score 4077 | scorers 4078 | scores 4079 | screen 4080 | screened 4081 | screening 4082 | sea 4083 | search 4084 | searched 4085 | searches 4086 | searching 4087 | second 4088 | secondary 4089 | secondly 4090 | seconds 4091 | secret 4092 | secretarial 4093 | secretaries 4094 | secretary 4095 | secretive 4096 | secrets 4097 | section 4098 | sectional 4099 | sections 4100 | secure 4101 | securely 4102 | security 4103 | see 4104 | seeing 4105 | seek 4106 | seeking 4107 | seem 4108 | seemed 4109 | seems 4110 | seen 4111 | sees 4112 | segment 4113 | segmented 4114 | segments 4115 | seldom 4116 | select 4117 | selected 4118 | selection 4119 | selective 4120 | selectively 4121 | selects 4122 | self 4123 | sell 4124 | selling 4125 | sells 4126 | semiconductor 4127 | send 4128 | sending 4129 | sense 4130 | sensitive 4131 | sensitivity 4132 | sent 4133 | separate 4134 | separated 4135 | separately 4136 | separates 4137 | separation 4138 | september 4139 | sequence 4140 | sequences 4141 | sequential 4142 | sequentially 4143 | serial 4144 | series 4145 | serious 4146 | seriously 4147 | serve 4148 | served 4149 | serves 4150 | service 4151 | serviced 4152 | services 4153 | servicing 4154 | serving 4155 | set 4156 | sets 4157 | setting 4158 | settings 4159 | seven 4160 | several 4161 | severe 4162 | shall 4163 | shape 4164 | share 4165 | shared 4166 | sharing 4167 | sharp 4168 | she 4169 | sheet 4170 | sheets 4171 | shift 4172 | shifting 4173 | shifts 4174 | ship 4175 | shipped 4176 | shipping 4177 | ships 4178 | shop 4179 | shopping 4180 | shops 4181 | short 4182 | shortage 4183 | shortages 4184 | shortened 4185 | shortens 4186 | shorter 4187 | shortest 4188 | shortly 4189 | shot 4190 | shots 4191 | should 4192 | show 4193 | showed 4194 | showing 4195 | shown 4196 | shows 4197 | side 4198 | sides 4199 | sign 4200 | signal 4201 | signals 4202 | signature 4203 | signed 4204 | significance 4205 | significant 4206 | significantly 4207 | signing 4208 | similar 4209 | similarity 4210 | similarly 4211 | simple 4212 | simpler 4213 | simplest 4214 | simplicity 4215 | simplified 4216 | simplify 4217 | simply 4218 | simultaneous 4219 | simultaneously 4220 | since 4221 | single 4222 | sit 4223 | site 4224 | sits 4225 | situation 4226 | situations 4227 | six 4228 | sixth 4229 | size 4230 | sized 4231 | sizes 4232 | skill 4233 | skilled 4234 | skills 4235 | slide 4236 | slides 4237 | sliding 4238 | slight 4239 | slightly 4240 | slips 4241 | slot 4242 | slots 4243 | slow 4244 | slower 4245 | slowly 4246 | slows 4247 | small 4248 | smaller 4249 | smallest 4250 | snow 4251 | so 4252 | social 4253 | societal 4254 | society 4255 | soft 4256 | softest 4257 | software 4258 | sole 4259 | solely 4260 | solid 4261 | solution 4262 | solutions 4263 | solve 4264 | solved 4265 | solving 4266 | some 4267 | someone 4268 | something 4269 | sometimes 4270 | somewhat 4271 | somewhere 4272 | son 4273 | soon 4274 | sooner 4275 | sophisticated 4276 | sort 4277 | sorted 4278 | sorter 4279 | sorters 4280 | sorting 4281 | sorts 4282 | sought 4283 | sound 4284 | sounds 4285 | source 4286 | sources 4287 | space 4288 | spaced 4289 | spaces 4290 | spacing 4291 | spatial 4292 | speaker 4293 | speaking 4294 | special 4295 | specialist 4296 | specialists 4297 | specialization 4298 | specialized 4299 | specializing 4300 | specially 4301 | specialties 4302 | specialty 4303 | specific 4304 | specifically 4305 | specification 4306 | specifications 4307 | specifics 4308 | specified 4309 | specifies 4310 | specify 4311 | specifying 4312 | spectrum 4313 | speech 4314 | speed 4315 | spell 4316 | spelling 4317 | spells 4318 | spend 4319 | spent 4320 | sphere 4321 | spherical 4322 | spirit 4323 | spite 4324 | splitting 4325 | spoke 4326 | sponsor 4327 | sponsored 4328 | sponsors 4329 | spot 4330 | spots 4331 | spread 4332 | spring 4333 | square 4334 | squares 4335 | stability 4336 | stabilize 4337 | stable 4338 | staff 4339 | staffed 4340 | staffing 4341 | staffs 4342 | stage 4343 | stages 4344 | stand 4345 | standard 4346 | standards 4347 | standing 4348 | stands 4349 | start 4350 | started 4351 | starting 4352 | starts 4353 | state 4354 | stated 4355 | statement 4356 | statements 4357 | states 4358 | static 4359 | station 4360 | stations 4361 | statistic 4362 | statistical 4363 | statistically 4364 | statisticians 4365 | statistics 4366 | status 4367 | stay 4368 | steady 4369 | step 4370 | steps 4371 | still 4372 | stimulate 4373 | stimuli 4374 | stimulus 4375 | stop 4376 | stopped 4377 | stopping 4378 | stops 4379 | storage 4380 | store 4381 | stored 4382 | stores 4383 | storing 4384 | straight 4385 | straightforward 4386 | strange 4387 | strangers 4388 | strategies 4389 | strategy 4390 | stream 4391 | streams 4392 | street 4393 | streets 4394 | strength 4395 | strengthened 4396 | stress 4397 | strict 4398 | strictest 4399 | strictly 4400 | strikes 4401 | striking 4402 | string 4403 | strings 4404 | strong 4405 | stronger 4406 | strongly 4407 | structural 4408 | structurally 4409 | structure 4410 | structured 4411 | structures 4412 | structuring 4413 | struggle 4414 | student 4415 | students 4416 | studied 4417 | studies 4418 | study 4419 | studying 4420 | style 4421 | subject 4422 | subjected 4423 | subjective 4424 | subjects 4425 | submit 4426 | submitted 4427 | submitting 4428 | subordinate 4429 | subroutine 4430 | subroutines 4431 | subsequent 4432 | subsequently 4433 | subset 4434 | subsets 4435 | substantial 4436 | substantially 4437 | substantive 4438 | substitute 4439 | substituted 4440 | substituting 4441 | substitution 4442 | substrate 4443 | succeed 4444 | succeeding 4445 | success 4446 | successful 4447 | successfully 4448 | succession 4449 | successive 4450 | successively 4451 | such 4452 | sudden 4453 | suddenly 4454 | suffer 4455 | suffice 4456 | sufficiency 4457 | sufficient 4458 | sufficiently 4459 | suggest 4460 | suggested 4461 | suggesting 4462 | suggestion 4463 | suggestions 4464 | suggestive 4465 | suggests 4466 | suitability 4467 | suitable 4468 | suitably 4469 | suited 4470 | sum 4471 | summaries 4472 | summarize 4473 | summarized 4474 | summarizes 4475 | summary 4476 | summing 4477 | sums 4478 | super 4479 | superior 4480 | supervise 4481 | supervised 4482 | supervises 4483 | supervising 4484 | supervision 4485 | supervisor 4486 | supervisors 4487 | supervisory 4488 | supplement 4489 | supplementary 4490 | supplied 4491 | supplier 4492 | suppliers 4493 | supplies 4494 | supply 4495 | supplying 4496 | support 4497 | supported 4498 | supporting 4499 | supports 4500 | suppose 4501 | supposed 4502 | supposedly 4503 | sure 4504 | surface 4505 | surprised 4506 | surprising 4507 | surround 4508 | surrounded 4509 | surrounds 4510 | survey 4511 | surveyed 4512 | surveyors 4513 | surveys 4514 | suspect 4515 | suspected 4516 | suspects 4517 | switch 4518 | switched 4519 | switches 4520 | switching 4521 | symbol 4522 | symbolically 4523 | symbols 4524 | symmetric 4525 | symmetrically 4526 | symmetry 4527 | system 4528 | systematic 4529 | systematically 4530 | systems 4531 | table 4532 | tables 4533 | tabling 4534 | take 4535 | taken 4536 | takes 4537 | taking 4538 | talk 4539 | talked 4540 | talker 4541 | talkers 4542 | talking 4543 | talks 4544 | tape 4545 | tapes 4546 | target 4547 | task 4548 | tasks 4549 | tax 4550 | taxed 4551 | teach 4552 | teacher 4553 | teachers 4554 | teaching 4555 | teachings 4556 | team 4557 | teams 4558 | technical 4559 | technically 4560 | technician 4561 | technicians 4562 | technique 4563 | techniques 4564 | technological 4565 | technologically 4566 | technologies 4567 | technologist 4568 | technologists 4569 | technology 4570 | teeth 4571 | telecommunication 4572 | telecommunications 4573 | telephone 4574 | telephones 4575 | telephoning 4576 | telephony 4577 | tell 4578 | tellers 4579 | telling 4580 | tells 4581 | temp 4582 | temperature 4583 | temporarily 4584 | temporary 4585 | ten 4586 | tend 4587 | tended 4588 | tendencies 4589 | tendency 4590 | tends 4591 | term 4592 | termed 4593 | terminal 4594 | terminals 4595 | terminate 4596 | terminated 4597 | terminates 4598 | terminating 4599 | termination 4600 | terms 4601 | test 4602 | tested 4603 | testing 4604 | tests 4605 | texas 4606 | text 4607 | texts 4608 | than 4609 | that 4610 | the 4611 | their 4612 | them 4613 | themselves 4614 | then 4615 | theorem 4616 | theoretical 4617 | theoretically 4618 | theory 4619 | there 4620 | thereby 4621 | therefore 4622 | thereof 4623 | these 4624 | they 4625 | thick 4626 | thickness 4627 | thin 4628 | thing 4629 | things 4630 | think 4631 | thinking 4632 | thinks 4633 | third 4634 | thirty 4635 | this 4636 | thoroughly 4637 | those 4638 | though 4639 | thought 4640 | three 4641 | threshold 4642 | thresholds 4643 | through 4644 | throughout 4645 | thus 4646 | tight 4647 | time 4648 | timed 4649 | timely 4650 | times 4651 | timing 4652 | tip 4653 | tips 4654 | title 4655 | titles 4656 | to 4657 | today 4658 | together 4659 | toggled 4660 | told 4661 | tolerance 4662 | tolerances 4663 | tolerant 4664 | tolerated 4665 | toll 4666 | tolls 4667 | tone 4668 | tones 4669 | too 4670 | took 4671 | tool 4672 | tools 4673 | top 4674 | topic 4675 | topical 4676 | topics 4677 | tops 4678 | total 4679 | totally 4680 | totals 4681 | touch 4682 | toward 4683 | towards 4684 | trace 4685 | traced 4686 | tracing 4687 | tracings 4688 | track 4689 | tracks 4690 | trade 4691 | traditional 4692 | traditionally 4693 | traffic 4694 | train 4695 | trained 4696 | trainee 4697 | trainees 4698 | training 4699 | transaction 4700 | transactions 4701 | transcribe 4702 | transcribed 4703 | transcribes 4704 | transcribing 4705 | transcription 4706 | transfer 4707 | transferred 4708 | transfers 4709 | transform 4710 | transformation 4711 | transformations 4712 | transformed 4713 | transforming 4714 | transistor 4715 | transistors 4716 | transit 4717 | transition 4718 | transitions 4719 | transitory 4720 | translate 4721 | translated 4722 | translation 4723 | translations 4724 | translator 4725 | translators 4726 | transmission 4727 | transmit 4728 | transmitted 4729 | transmitter 4730 | transmitting 4731 | transport 4732 | transportation 4733 | transporting 4734 | travel 4735 | traveled 4736 | travelers 4737 | traveling 4738 | traverse 4739 | traversed 4740 | traverses 4741 | traversing 4742 | tray 4743 | trays 4744 | treasury 4745 | treat 4746 | treated 4747 | treating 4748 | treatment 4749 | treats 4750 | tree 4751 | trees 4752 | trial 4753 | trials 4754 | triangle 4755 | triangles 4756 | triangular 4757 | tried 4758 | triggered 4759 | trip 4760 | trivial 4761 | trivially 4762 | trouble 4763 | troubles 4764 | truck 4765 | true 4766 | truly 4767 | try 4768 | trying 4769 | tube 4770 | turn 4771 | turned 4772 | turning 4773 | turns 4774 | twelve 4775 | twenty 4776 | twice 4777 | two 4778 | type 4779 | typed 4780 | types 4781 | typewriter 4782 | typical 4783 | typically 4784 | typing 4785 | typist 4786 | typists 4787 | ultimate 4788 | ultimately 4789 | unable 4790 | unacceptable 4791 | unacceptably 4792 | unaffected 4793 | unaltered 4794 | unassigned 4795 | unauthorized 4796 | unavoidable 4797 | unaware 4798 | unchanged 4799 | uncommon 4800 | uncover 4801 | uncovered 4802 | undefined 4803 | under 4804 | undergraduate 4805 | underlying 4806 | understand 4807 | understandable 4808 | understanding 4809 | understands 4810 | understood 4811 | undesirable 4812 | undetected 4813 | undivided 4814 | undocumented 4815 | unduly 4816 | uneasy 4817 | unequal 4818 | unexpected 4819 | unfamiliar 4820 | unfortunate 4821 | unfortunately 4822 | unidirectionality 4823 | unidirectionally 4824 | uniform 4825 | uniformity 4826 | uniformly 4827 | unimportant 4828 | union 4829 | unique 4830 | unit 4831 | united 4832 | units 4833 | unity 4834 | universal 4835 | universally 4836 | universe 4837 | universities 4838 | university 4839 | unknowingly 4840 | unknown 4841 | unless 4842 | unlikely 4843 | unlimited 4844 | unnecessarily 4845 | unnecessary 4846 | unofficial 4847 | unpublished 4848 | unrealistic 4849 | unrelated 4850 | unreliable 4851 | unresponsive 4852 | unsatisfactory 4853 | unspecified 4854 | unstable 4855 | unsupported 4856 | until 4857 | unused 4858 | unusual 4859 | unwanted 4860 | unwilling 4861 | unwise 4862 | unwritten 4863 | up 4864 | update 4865 | updated 4866 | updates 4867 | updating 4868 | upon 4869 | upper 4870 | us 4871 | usage 4872 | use 4873 | used 4874 | useful 4875 | usefulness 4876 | useless 4877 | user 4878 | users 4879 | uses 4880 | using 4881 | usual 4882 | usually 4883 | utilities 4884 | utility 4885 | utilization 4886 | utilize 4887 | utilized 4888 | utilizing 4889 | vacation 4890 | vacations 4891 | valid 4892 | validate 4893 | validated 4894 | validating 4895 | validation 4896 | validity 4897 | valuable 4898 | value 4899 | valued 4900 | values 4901 | van 4902 | variability 4903 | variable 4904 | variables 4905 | variance 4906 | variances 4907 | variation 4908 | variations 4909 | varied 4910 | varies 4911 | varieties 4912 | variety 4913 | various 4914 | variously 4915 | vary 4916 | varying 4917 | vast 4918 | vector 4919 | vectors 4920 | verbal 4921 | verification 4922 | verified 4923 | verifiers 4924 | verifies 4925 | verify 4926 | verifying 4927 | version 4928 | versions 4929 | vertical 4930 | vertically 4931 | very 4932 | via 4933 | viability 4934 | viable 4935 | vice 4936 | view 4937 | viewed 4938 | viewpoint 4939 | views 4940 | vis 4941 | visible 4942 | vision 4943 | visit 4944 | visited 4945 | visiting 4946 | visitor 4947 | visitors 4948 | visits 4949 | visual 4950 | vital 4951 | vocational 4952 | voice 4953 | voids 4954 | voltage 4955 | voltages 4956 | volume 4957 | volumes 4958 | wait 4959 | waited 4960 | waiting 4961 | walk 4962 | walking 4963 | walks 4964 | wall 4965 | walls 4966 | want 4967 | wanted 4968 | wanting 4969 | wants 4970 | war 4971 | warn 4972 | warned 4973 | warning 4974 | warnings 4975 | warrant 4976 | warranted 4977 | warrants 4978 | warranty 4979 | was 4980 | washington 4981 | wastage 4982 | waste 4983 | wasted 4984 | wasteful 4985 | wasting 4986 | water 4987 | wavelength 4988 | way 4989 | ways 4990 | we 4991 | weak 4992 | weakest 4993 | week 4994 | weekly 4995 | weeks 4996 | weight 4997 | weighted 4998 | weighting 4999 | weights 5000 | welcome 5001 | welcomes 5002 | well 5003 | went 5004 | were 5005 | western 5006 | what 5007 | whatever 5008 | when 5009 | whenever 5010 | where 5011 | whereas 5012 | whereby 5013 | wherein 5014 | wherever 5015 | whether 5016 | which 5017 | while 5018 | white 5019 | who 5020 | whole 5021 | whom 5022 | whose 5023 | why 5024 | wide 5025 | widely 5026 | wider 5027 | widespread 5028 | width 5029 | will 5030 | willfully 5031 | william 5032 | willing 5033 | willingly 5034 | willingness 5035 | wind 5036 | window 5037 | windows 5038 | wire 5039 | wired 5040 | wires 5041 | wiring 5042 | wise 5043 | wiser 5044 | wish 5045 | wishes 5046 | wishful 5047 | with 5048 | withdraw 5049 | withdrawal 5050 | withdrawals 5051 | within 5052 | without 5053 | witnessed 5054 | witnesses 5055 | women 5056 | word 5057 | wording 5058 | words 5059 | work 5060 | workable 5061 | worked 5062 | worker 5063 | workers 5064 | working 5065 | works 5066 | workshop 5067 | workshops 5068 | world 5069 | worlds 5070 | worry 5071 | worse 5072 | worst 5073 | worth 5074 | worthy 5075 | would 5076 | write 5077 | writer 5078 | writers 5079 | writes 5080 | writing 5081 | written 5082 | wrong 5083 | wrote 5084 | year 5085 | years 5086 | yes 5087 | yet 5088 | yield 5089 | yielded 5090 | yields 5091 | york 5092 | you 5093 | young 5094 | your 5095 | yours 5096 | zero 5097 | zeros 5098 | zone 5099 | zones -------------------------------------------------------------------------------- /w2006.txt: -------------------------------------------------------------------------------- 1 | a 2 | abilities 3 | ability 4 | able 5 | about 6 | above 7 | absence 8 | absent 9 | absentee 10 | absenteeism 11 | absolute 12 | absolutely 13 | abstract 14 | abstracts 15 | academic 16 | academically 17 | academician 18 | accept 19 | acceptability 20 | acceptable 21 | acceptably 22 | acceptance 23 | acceptances 24 | accepted 25 | accepting 26 | accepts 27 | access 28 | accessed 29 | accesses 30 | accessible 31 | accessing 32 | accession 33 | accessions 34 | accident 35 | accidental 36 | accidentally 37 | accidents 38 | accompany 39 | accompanying 40 | accomplished 41 | accomplishment 42 | accomplishments 43 | accordance 44 | accorded 45 | according 46 | accordingly 47 | account 48 | accountability 49 | accountable 50 | accountancy 51 | accountants 52 | accounted 53 | accounting 54 | accounts 55 | accumulated 56 | accuracy 57 | accurate 58 | accurately 59 | achieve 60 | achieved 61 | achievement 62 | achieving 63 | acknowledge 64 | acknowledging 65 | acknowledgments 66 | acquired 67 | acquiring 68 | acquisition 69 | across 70 | act 71 | acting 72 | action 73 | actions 74 | activated 75 | activates 76 | activation 77 | active 78 | actively 79 | activities 80 | activity 81 | acts 82 | actual 83 | actually 84 | actuate 85 | actuated 86 | acute 87 | acutely 88 | adapt 89 | adapted 90 | adaption 91 | add 92 | added 93 | adding 94 | addition 95 | additional 96 | additions 97 | additive 98 | address 99 | addressed 100 | addresses 101 | addressing 102 | adds 103 | adequacy 104 | adequate 105 | adequately 106 | adhesives 107 | adjacent 108 | adjudged 109 | adjunct 110 | adjuncts 111 | adjust 112 | adjusted 113 | adjusting 114 | adjustment 115 | adjustments 116 | administer 117 | administered 118 | administering 119 | administrate 120 | administrated 121 | administration 122 | administrative 123 | administrator 124 | administrators 125 | admit 126 | admittedly 127 | adopt 128 | adopted 129 | adopting 130 | adoption 131 | advance 132 | advanced 133 | advances 134 | advantage 135 | advantageously 136 | advantages 137 | adversary 138 | adverse 139 | adversely 140 | advise 141 | advised 142 | advisers 143 | advising 144 | advisors 145 | advisory 146 | affairs 147 | affect 148 | affected 149 | affecting 150 | affects 151 | affirmation 152 | affirmative 153 | affirmed 154 | aforementioned 155 | after 156 | afternoon 157 | again 158 | against 159 | age 160 | agencies 161 | agency 162 | agent 163 | ago 164 | agree 165 | agreeable 166 | agreed 167 | agreement 168 | agreements 169 | agrees 170 | ahead 171 | aid 172 | aide 173 | aided 174 | aids 175 | aimed 176 | air 177 | alert 178 | algebraic 179 | algol 180 | algorithm 181 | algorithms 182 | all 183 | allocate 184 | allocated 185 | allocates 186 | allocation 187 | allocations 188 | allow 189 | allowable 190 | allowance 191 | allowed 192 | allowing 193 | allows 194 | almost 195 | alone 196 | along 197 | alphabet 198 | already 199 | also 200 | alter 201 | alteration 202 | altered 203 | alternate 204 | alternating 205 | alternation 206 | alternative 207 | alternatively 208 | alternatives 209 | although 210 | always 211 | america 212 | american 213 | among 214 | amount 215 | amounts 216 | amplifier 217 | amplitude 218 | an 219 | analog 220 | analogous 221 | analogy 222 | analyses 223 | analysis 224 | analyst 225 | analysts 226 | analytic 227 | analytical 228 | analyze 229 | analyzed 230 | analyzer 231 | analyzing 232 | ancillary 233 | and 234 | angle 235 | animal 236 | announced 237 | announcements 238 | announces 239 | annual 240 | anode 241 | anodes 242 | another 243 | answer 244 | answered 245 | answering 246 | answers 247 | anticipated 248 | any 249 | anyone 250 | anything 251 | anyway 252 | apart 253 | apparatus 254 | apparent 255 | apparently 256 | appeal 257 | appealing 258 | appeals 259 | appear 260 | appearance 261 | appeared 262 | appearing 263 | appears 264 | append 265 | appended 266 | appendices 267 | appending 268 | appendix 269 | appends 270 | applicability 271 | applicable 272 | applicant 273 | applicants 274 | application 275 | applications 276 | applied 277 | applies 278 | apply 279 | applying 280 | appointed 281 | appointment 282 | appoints 283 | appraisals 284 | approach 285 | approached 286 | approaches 287 | approaching 288 | appropriate 289 | appropriately 290 | appropriateness 291 | approval 292 | approvals 293 | approve 294 | approved 295 | approximate 296 | approximated 297 | approximately 298 | approximation 299 | april 300 | arbitrarily 301 | arbitrary 302 | are 303 | area 304 | areas 305 | argue 306 | argued 307 | argument 308 | arguments 309 | arise 310 | arisen 311 | arises 312 | arising 313 | arithmetic 314 | arose 315 | around 316 | arrange 317 | arranged 318 | arrangement 319 | arrangements 320 | arranges 321 | arranging 322 | array 323 | arrays 324 | arrival 325 | arrive 326 | arrives 327 | arriving 328 | art 329 | article 330 | arts 331 | as 332 | ascertain 333 | ascertained 334 | aside 335 | ask 336 | asked 337 | asking 338 | asks 339 | aspect 340 | aspects 341 | assembly 342 | assess 343 | assessed 344 | assessment 345 | asset 346 | assets 347 | assign 348 | assignable 349 | assigned 350 | assigning 351 | assignment 352 | assignments 353 | assigns 354 | assist 355 | assistance 356 | assistant 357 | assistants 358 | assisted 359 | associate 360 | associated 361 | associating 362 | association 363 | assume 364 | assumed 365 | assumes 366 | assuming 367 | assumption 368 | assumptions 369 | assurance 370 | assure 371 | assured 372 | assures 373 | asymmetric 374 | at 375 | atmosphere 376 | atmospheric 377 | atom 378 | attach 379 | attached 380 | attack 381 | attempt 382 | attempted 383 | attempting 384 | attempts 385 | attend 386 | attendance 387 | attendant 388 | attended 389 | attention 390 | attitude 391 | attitudes 392 | attorney 393 | attract 394 | attraction 395 | attractive 396 | attractiveness 397 | attributable 398 | attributes 399 | audio 400 | augment 401 | augmentation 402 | augmented 403 | augmenting 404 | august 405 | author 406 | authorities 407 | authority 408 | authorization 409 | authorizations 410 | authorize 411 | authorized 412 | authorizing 413 | authors 414 | automated 415 | automatic 416 | automatically 417 | auxiliary 418 | availability 419 | available 420 | average 421 | averaged 422 | averages 423 | averaging 424 | avoid 425 | avoidance 426 | avoided 427 | avoiding 428 | aware 429 | awareness 430 | away 431 | axes 432 | axis 433 | back 434 | background 435 | backgrounds 436 | bad 437 | badly 438 | balance 439 | balanced 440 | ball 441 | band 442 | bandwidth 443 | bank 444 | banking 445 | banks 446 | bar 447 | bars 448 | base 449 | based 450 | bases 451 | basic 452 | basically 453 | basis 454 | batch 455 | be 456 | bear 457 | bearer 458 | bearing 459 | became 460 | because 461 | become 462 | becomes 463 | becoming 464 | been 465 | before 466 | began 467 | begin 468 | beginning 469 | begins 470 | begun 471 | behavior 472 | behavioral 473 | behind 474 | being 475 | belief 476 | beliefs 477 | believe 478 | believed 479 | believes 480 | bell 481 | belong 482 | belonging 483 | belongings 484 | below 485 | beneath 486 | beneficial 487 | benefit 488 | benefits 489 | bent 490 | besides 491 | best 492 | better 493 | betterment 494 | between 495 | beyond 496 | big 497 | bigger 498 | biggest 499 | bill 500 | billed 501 | billing 502 | bills 503 | binary 504 | biometrika 505 | bit 506 | bits 507 | black 508 | blank 509 | blanks 510 | block 511 | blocked 512 | blocking 513 | blocks 514 | blue 515 | board 516 | boards 517 | body 518 | bold 519 | bond 520 | bonds 521 | book 522 | books 523 | borrow 524 | borrowed 525 | both 526 | bottom 527 | bottoms 528 | bought 529 | bound 530 | boundaries 531 | boundary 532 | bounded 533 | bounds 534 | box 535 | branch 536 | branches 537 | break 538 | breakdown 539 | breaker 540 | breakers 541 | brief 542 | briefed 543 | briefing 544 | briefly 545 | bring 546 | brings 547 | broad 548 | broadened 549 | broader 550 | broadest 551 | broadly 552 | broken 553 | brought 554 | brown 555 | bubble 556 | budget 557 | budgetary 558 | budgets 559 | build 560 | building 561 | buildings 562 | builds 563 | built 564 | bureau 565 | bureaucracy 566 | bureaucratic 567 | burning 568 | bus 569 | buses 570 | business 571 | busy 572 | but 573 | buy 574 | buyer 575 | buying 576 | buys 577 | by 578 | bypass 579 | bypassing 580 | cabinet 581 | cabinets 582 | cable 583 | cabling 584 | calculate 585 | calculated 586 | calculates 587 | calculating 588 | calculation 589 | calculations 590 | calendar 591 | caliber 592 | calibrated 593 | calibrates 594 | calibration 595 | california 596 | call 597 | called 598 | calling 599 | calls 600 | came 601 | can 602 | candidate 603 | candidates 604 | cannot 605 | capabilities 606 | capability 607 | capable 608 | capacity 609 | capital 610 | capitalization 611 | capitalize 612 | capitalized 613 | card 614 | cards 615 | care 616 | career 617 | careful 618 | carefully 619 | carried 620 | carries 621 | carroll 622 | carry 623 | carrying 624 | case 625 | cases 626 | casual 627 | casually 628 | catalog 629 | catalogs 630 | categories 631 | category 632 | cathode 633 | cathodes 634 | catholic 635 | caught 636 | cause 637 | caused 638 | causes 639 | causing 640 | cease 641 | ceases 642 | cell 643 | cells 644 | center 645 | centered 646 | centers 647 | central 648 | centrally 649 | centuries 650 | century 651 | certain 652 | certainly 653 | chain 654 | chained 655 | chaining 656 | chairman 657 | chairmen 658 | chance 659 | chances 660 | chang 661 | change 662 | changed 663 | changes 664 | changing 665 | channel 666 | channels 667 | chapter 668 | chapters 669 | character 670 | characteristic 671 | characteristics 672 | characterize 673 | characterized 674 | characterizes 675 | characters 676 | charge 677 | chargeable 678 | charged 679 | charges 680 | charging 681 | chart 682 | charter 683 | chartered 684 | charts 685 | cheaper 686 | cheapest 687 | check 688 | checked 689 | checking 690 | checks 691 | chemical 692 | chemicals 693 | chemistry 694 | chief 695 | chiefs 696 | children 697 | choice 698 | choices 699 | choose 700 | choosing 701 | chosen 702 | circle 703 | circles 704 | circuit 705 | circuitry 706 | circuits 707 | circumstances 708 | cited 709 | cites 710 | citing 711 | citizens 712 | city 713 | civil 714 | claim 715 | claimed 716 | claiming 717 | claims 718 | class 719 | classes 720 | classification 721 | classified 722 | clean 723 | cleaning 724 | cleanliness 725 | clear 726 | clearance 727 | cleared 728 | clearing 729 | clearly 730 | clears 731 | clerical 732 | clerk 733 | clerks 734 | clock 735 | close 736 | closed 737 | closely 738 | closer 739 | closes 740 | closest 741 | closing 742 | closure 743 | clue 744 | cluster 745 | clustering 746 | clusterings 747 | clusters 748 | cm 749 | code 750 | codes 751 | codifying 752 | coding 753 | coefficient 754 | coefficients 755 | coffee 756 | coherency 757 | coherent 758 | cold 759 | collaboration 760 | collaborative 761 | colleagues 762 | collected 763 | collection 764 | collections 765 | collective 766 | collects 767 | college 768 | color 769 | colored 770 | column 771 | columns 772 | combination 773 | combinations 774 | combinatorial 775 | combine 776 | combined 777 | combining 778 | come 779 | comes 780 | coming 781 | command 782 | commands 783 | comment 784 | comments 785 | commerce 786 | commercial 787 | commercially 788 | commitment 789 | commitments 790 | committed 791 | committee 792 | committees 793 | common 794 | commonly 795 | communicate 796 | communicated 797 | communicates 798 | communicating 799 | communication 800 | communications 801 | communist 802 | communities 803 | community 804 | compact 805 | companies 806 | companion 807 | companions 808 | company 809 | comparability 810 | comparable 811 | comparative 812 | comparatively 813 | compare 814 | compared 815 | compares 816 | comparing 817 | comparison 818 | comparisons 819 | compatibility 820 | compatible 821 | compensate 822 | compensating 823 | compensation 824 | compensatory 825 | compete 826 | competence 827 | competency 828 | competent 829 | competently 830 | competes 831 | competing 832 | competition 833 | competitive 834 | compilation 835 | compilations 836 | compiled 837 | compiler 838 | compilers 839 | compiles 840 | compiling 841 | complement 842 | complementary 843 | complements 844 | complete 845 | completed 846 | completely 847 | completes 848 | completion 849 | complex 850 | complexities 851 | complexity 852 | compliance 853 | complicate 854 | complicated 855 | complicating 856 | component 857 | components 858 | composed 859 | composite 860 | composition 861 | compositions 862 | comprehend 863 | comprehended 864 | comprehending 865 | comprehension 866 | comprehensive 867 | comprise 868 | comprises 869 | comprising 870 | compromise 871 | compromised 872 | compromises 873 | computation 874 | computational 875 | computations 876 | compute 877 | computed 878 | computer 879 | computerized 880 | computers 881 | computes 882 | computing 883 | conceivable 884 | conceived 885 | concentrate 886 | concentrated 887 | concentration 888 | concept 889 | conceptions 890 | concepts 891 | conceptually 892 | concern 893 | concerned 894 | concerning 895 | concerns 896 | conclude 897 | concluded 898 | concludes 899 | conclusion 900 | conclusions 901 | condensed 902 | condition 903 | conditional 904 | conditionally 905 | conditioned 906 | conditioning 907 | conditions 908 | conducive 909 | conduct 910 | conducted 911 | conductivity 912 | conductor 913 | conductors 914 | conference 915 | conferences 916 | confidence 917 | confident 918 | confidential 919 | confidentiality 920 | configuration 921 | configurations 922 | confirm 923 | confirmation 924 | confirmations 925 | confirmed 926 | confirms 927 | confounded 928 | confounding 929 | confuse 930 | confused 931 | confusion 932 | congruent 933 | conjectured 934 | conjectures 935 | connect 936 | connected 937 | connecting 938 | connection 939 | connections 940 | connects 941 | conscious 942 | consequence 943 | consequences 944 | consequently 945 | consider 946 | considerable 947 | considerably 948 | consideration 949 | considerations 950 | considered 951 | considering 952 | considers 953 | consist 954 | consisted 955 | consistency 956 | consistent 957 | consisting 958 | consists 959 | constant 960 | constants 961 | constitute 962 | constituting 963 | constrain 964 | constrained 965 | constraint 966 | constraints 967 | construct 968 | constructed 969 | constructing 970 | construction 971 | constructs 972 | consult 973 | consultant 974 | consultants 975 | consulted 976 | consulting 977 | consults 978 | consumable 979 | consumed 980 | consumer 981 | consuming 982 | consumption 983 | contact 984 | contacted 985 | contacts 986 | contain 987 | contained 988 | containers 989 | containing 990 | contains 991 | contemplate 992 | content 993 | contention 994 | contents 995 | context 996 | continuation 997 | continue 998 | continued 999 | continues 1000 | continuing 1001 | continuity 1002 | continuous 1003 | continuously 1004 | contract 1005 | contractions 1006 | contractor 1007 | contracts 1008 | contractual 1009 | contradicting 1010 | contradiction 1011 | contradictions 1012 | contrast 1013 | contributed 1014 | contributions 1015 | control 1016 | controllable 1017 | controlled 1018 | controller 1019 | controlling 1020 | controls 1021 | convenience 1022 | convenient 1023 | conveniently 1024 | convention 1025 | conventional 1026 | conventions 1027 | conversant 1028 | conversation 1029 | conversations 1030 | converse 1031 | conversely 1032 | conversion 1033 | convert 1034 | converted 1035 | converter 1036 | convertibility 1037 | converting 1038 | convey 1039 | conveyed 1040 | convince 1041 | convinced 1042 | convincing 1043 | cooperate 1044 | cooperates 1045 | cooperation 1046 | cooperative 1047 | cooperators 1048 | coordinate 1049 | coordinated 1050 | coordinates 1051 | coordinating 1052 | copied 1053 | copies 1054 | copy 1055 | core 1056 | corner 1057 | corners 1058 | corporate 1059 | corporation 1060 | correct 1061 | corrected 1062 | correcting 1063 | correction 1064 | corrections 1065 | corrective 1066 | correctly 1067 | correctness 1068 | corrects 1069 | correlated 1070 | correlation 1071 | correlations 1072 | correspond 1073 | corresponded 1074 | correspondence 1075 | corresponding 1076 | corresponds 1077 | cosines 1078 | cost 1079 | costing 1080 | costly 1081 | costs 1082 | could 1083 | council 1084 | councils 1085 | count 1086 | counted 1087 | counter 1088 | counting 1089 | countries 1090 | country 1091 | counts 1092 | couple 1093 | coupled 1094 | coupling 1095 | course 1096 | courses 1097 | court 1098 | cover 1099 | covered 1100 | covering 1101 | covers 1102 | create 1103 | created 1104 | creates 1105 | creating 1106 | creation 1107 | creative 1108 | creativeness 1109 | credit 1110 | crisis 1111 | criteria 1112 | criterion 1113 | critical 1114 | critically 1115 | criticism 1116 | criticisms 1117 | criticize 1118 | criticized 1119 | critics 1120 | crop 1121 | crops 1122 | cross 1123 | crossovers 1124 | cubic 1125 | cultural 1126 | culture 1127 | cultures 1128 | currencies 1129 | currency 1130 | current 1131 | currently 1132 | curve 1133 | curves 1134 | customer 1135 | customers 1136 | cut 1137 | cutoff 1138 | cuts 1139 | cutting 1140 | cycle 1141 | cycles 1142 | cyclic 1143 | cycling 1144 | daily 1145 | dallas 1146 | damage 1147 | damaged 1148 | damages 1149 | damaging 1150 | danger 1151 | dangerous 1152 | dark 1153 | data 1154 | date 1155 | dated 1156 | dates 1157 | day 1158 | days 1159 | dead 1160 | deal 1161 | dealing 1162 | deals 1163 | dealt 1164 | debug 1165 | debugged 1166 | debugging 1167 | december 1168 | decide 1169 | decided 1170 | decides 1171 | deciding 1172 | decision 1173 | decisions 1174 | declared 1175 | decoded 1176 | decoder 1177 | decoding 1178 | decomposition 1179 | decrease 1180 | decreases 1181 | decreasing 1182 | deep 1183 | deeply 1184 | defect 1185 | defective 1186 | defects 1187 | defend 1188 | defendant 1189 | defendants 1190 | defense 1191 | define 1192 | defined 1193 | defines 1194 | defining 1195 | definite 1196 | definitely 1197 | definition 1198 | definitions 1199 | degree 1200 | degrees 1201 | delay 1202 | delayed 1203 | delaying 1204 | delays 1205 | delete 1206 | deleted 1207 | deletes 1208 | deleting 1209 | deletion 1210 | deletions 1211 | deliver 1212 | deliverable 1213 | delivered 1214 | delivers 1215 | delivery 1216 | demand 1217 | demanding 1218 | demands 1219 | demonstrate 1220 | demonstrated 1221 | demonstration 1222 | demonstrations 1223 | density 1224 | deny 1225 | department 1226 | departmental 1227 | departments 1228 | departure 1229 | departures 1230 | depend 1231 | dependency 1232 | dependent 1233 | depending 1234 | depends 1235 | depicted 1236 | deposit 1237 | deposition 1238 | deposits 1239 | depth 1240 | derive 1241 | derived 1242 | deriving 1243 | descendant 1244 | descendants 1245 | descending 1246 | describe 1247 | described 1248 | describes 1249 | describing 1250 | description 1251 | descriptions 1252 | descriptive 1253 | descriptors 1254 | design 1255 | designate 1256 | designated 1257 | designating 1258 | designed 1259 | designing 1260 | designs 1261 | desirability 1262 | desirable 1263 | desire 1264 | desired 1265 | desires 1266 | desiring 1267 | despite 1268 | destination 1269 | detail 1270 | detailed 1271 | detailing 1272 | details 1273 | detect 1274 | detected 1275 | detecting 1276 | detection 1277 | detects 1278 | determination 1279 | determine 1280 | determined 1281 | determines 1282 | determining 1283 | develop 1284 | developed 1285 | developers 1286 | developing 1287 | development 1288 | developments 1289 | develops 1290 | deviance 1291 | deviant 1292 | deviation 1293 | deviations 1294 | device 1295 | devices 1296 | diagnose 1297 | diagnosed 1298 | diagnoses 1299 | diagnostic 1300 | diagonal 1301 | diagram 1302 | diagrams 1303 | dial 1304 | dialing 1305 | diameter 1306 | dictated 1307 | dictates 1308 | dictionary 1309 | did 1310 | die 1311 | dielectric 1312 | differ 1313 | differed 1314 | difference 1315 | differences 1316 | different 1317 | differential 1318 | differentiate 1319 | differentiating 1320 | differently 1321 | differing 1322 | differs 1323 | difficult 1324 | difficulties 1325 | difficulty 1326 | diffusion 1327 | digit 1328 | digital 1329 | digits 1330 | dimension 1331 | dimensional 1332 | dimensionality 1333 | dimensions 1334 | direct 1335 | directed 1336 | direction 1337 | directions 1338 | directive 1339 | directives 1340 | directly 1341 | director 1342 | directories 1343 | directors 1344 | directory 1345 | disagreement 1346 | disagreements 1347 | disappear 1348 | disappears 1349 | discharge 1350 | discharges 1351 | disclose 1352 | disclosed 1353 | discloses 1354 | disclosure 1355 | disconnected 1356 | discount 1357 | discounts 1358 | discourage 1359 | discouraged 1360 | discourages 1361 | discouraging 1362 | discover 1363 | discovered 1364 | discovers 1365 | discovery 1366 | discrepancies 1367 | discrepancy 1368 | discrete 1369 | discriminable 1370 | discriminate 1371 | discriminated 1372 | discriminating 1373 | discrimination 1374 | discriminatory 1375 | discuss 1376 | discussed 1377 | discusses 1378 | discussing 1379 | discussion 1380 | discussions 1381 | dispense 1382 | dispensing 1383 | display 1384 | displayed 1385 | displaying 1386 | displays 1387 | disposal 1388 | disposed 1389 | dissimilar 1390 | dissimilarities 1391 | dissimilarity 1392 | distance 1393 | distances 1394 | distant 1395 | distinct 1396 | distinction 1397 | distinctions 1398 | distinctive 1399 | distinctly 1400 | distinguish 1401 | distinguished 1402 | distinguishing 1403 | distorted 1404 | distortion 1405 | distortions 1406 | distractions 1407 | distribute 1408 | distributed 1409 | distributing 1410 | distribution 1411 | distributions 1412 | disturb 1413 | disturbed 1414 | disturbing 1415 | diverse 1416 | divide 1417 | divided 1418 | divides 1419 | division 1420 | divisions 1421 | do 1422 | document 1423 | documentation 1424 | documented 1425 | documenting 1426 | documents 1427 | does 1428 | doing 1429 | dollars 1430 | domain 1431 | dominance 1432 | dominant 1433 | dominated 1434 | done 1435 | door 1436 | doors 1437 | doped 1438 | dotted 1439 | double 1440 | doubling 1441 | doubt 1442 | doubtful 1443 | down 1444 | dr 1445 | draft 1446 | drafting 1447 | drafts 1448 | draftsman 1449 | drastically 1450 | draw 1451 | drawing 1452 | drawings 1453 | drawn 1454 | drew 1455 | drink 1456 | drinks 1457 | drive 1458 | drives 1459 | driving 1460 | drop 1461 | dropped 1462 | dropping 1463 | drops 1464 | dubious 1465 | due 1466 | duplicates 1467 | duplicating 1468 | duplication 1469 | duration 1470 | during 1471 | dust 1472 | duties 1473 | duty 1474 | dynamic 1475 | each 1476 | earlier 1477 | earliest 1478 | early 1479 | earmarked 1480 | earth 1481 | ease 1482 | eased 1483 | easier 1484 | easily 1485 | east 1486 | easy 1487 | economic 1488 | economical 1489 | economically 1490 | economics 1491 | economists 1492 | economy 1493 | edge 1494 | edges 1495 | edit 1496 | edited 1497 | editing 1498 | editor 1499 | editorial 1500 | editors 1501 | educate 1502 | educated 1503 | educating 1504 | education 1505 | educational 1506 | educationally 1507 | effect 1508 | effective 1509 | effectively 1510 | effectiveness 1511 | effects 1512 | efficiency 1513 | efficient 1514 | efficiently 1515 | effort 1516 | efforts 1517 | eight 1518 | either 1519 | elaborate 1520 | electric 1521 | electrical 1522 | electrode 1523 | electrodes 1524 | electron 1525 | electronic 1526 | electronically 1527 | electronics 1528 | electrons 1529 | element 1530 | elements 1531 | eliminate 1532 | eliminated 1533 | eliminates 1534 | eliminating 1535 | elimination 1536 | else 1537 | elsewhere 1538 | embedded 1539 | embedding 1540 | embodies 1541 | embodiment 1542 | embodiments 1543 | embodying 1544 | emergencies 1545 | emergency 1546 | emotional 1547 | emotionally 1548 | emotions 1549 | emphasis 1550 | emphasized 1551 | emphasizes 1552 | empirical 1553 | empirically 1554 | employed 1555 | employee 1556 | employees 1557 | employer 1558 | employment 1559 | empty 1560 | enable 1561 | enabled 1562 | enables 1563 | enabling 1564 | enclose 1565 | enclosed 1566 | encloses 1567 | encode 1568 | encoded 1569 | encoding 1570 | encounter 1571 | encountered 1572 | encounters 1573 | encourage 1574 | encouraged 1575 | encouragement 1576 | encourages 1577 | end 1578 | ended 1579 | ending 1580 | ends 1581 | energy 1582 | enforced 1583 | enforcement 1584 | enforcing 1585 | engage 1586 | engaged 1587 | engineer 1588 | engineering 1589 | engineers 1590 | english 1591 | enhance 1592 | enhanced 1593 | enhancement 1594 | enjoy 1595 | enjoys 1596 | enlarged 1597 | enough 1598 | ensure 1599 | ensures 1600 | enter 1601 | entered 1602 | entering 1603 | enters 1604 | enthusiasm 1605 | enthusiastic 1606 | entire 1607 | entirely 1608 | entities 1609 | entitled 1610 | entity 1611 | entries 1612 | entry 1613 | envelope 1614 | environment 1615 | environmental 1616 | environments 1617 | environs 1618 | epitaxial 1619 | equal 1620 | equality 1621 | equally 1622 | equals 1623 | equated 1624 | equation 1625 | equations 1626 | equilibrium 1627 | equipment 1628 | equipped 1629 | equitable 1630 | equivalence 1631 | equivalent 1632 | equivalently 1633 | error 1634 | errors 1635 | escape 1636 | especially 1637 | essential 1638 | essentially 1639 | essentials 1640 | establish 1641 | established 1642 | establishing 1643 | establishment 1644 | establishments 1645 | estimate 1646 | estimated 1647 | estimates 1648 | estimation 1649 | et 1650 | etc 1651 | evaluate 1652 | evaluated 1653 | evaluating 1654 | evaluation 1655 | evaluations 1656 | even 1657 | evening 1658 | event 1659 | events 1660 | ever 1661 | every 1662 | everybody 1663 | everyone 1664 | everyones 1665 | everything 1666 | everywhere 1667 | evidence 1668 | evidenced 1669 | evident 1670 | evidently 1671 | evil 1672 | exact 1673 | exactly 1674 | exaggerated 1675 | exaggerates 1676 | examination 1677 | examinations 1678 | examine 1679 | examined 1680 | examines 1681 | examining 1682 | example 1683 | examples 1684 | exceed 1685 | exceeded 1686 | exceeding 1687 | exceedingly 1688 | exceeds 1689 | excellence 1690 | excellent 1691 | except 1692 | exception 1693 | exceptionally 1694 | exceptions 1695 | excess 1696 | excessive 1697 | excessively 1698 | exchange 1699 | exclude 1700 | excluded 1701 | exclusive 1702 | executable 1703 | execute 1704 | executed 1705 | executes 1706 | executing 1707 | execution 1708 | executive 1709 | executives 1710 | exercise 1711 | exercised 1712 | exercises 1713 | exhaust 1714 | exhaustion 1715 | exhaustive 1716 | exhibit 1717 | exhibited 1718 | exhibitions 1719 | exist 1720 | existed 1721 | existence 1722 | existent 1723 | existing 1724 | exists 1725 | exit 1726 | exiting 1727 | exits 1728 | expand 1729 | expanded 1730 | expanding 1731 | expansion 1732 | expect 1733 | expectancy 1734 | expectation 1735 | expected 1736 | expects 1737 | expedite 1738 | expeditious 1739 | expendable 1740 | expended 1741 | expenditure 1742 | expenditures 1743 | expense 1744 | expenses 1745 | expensive 1746 | experience 1747 | experienced 1748 | experiences 1749 | experiment 1750 | experimental 1751 | experimentally 1752 | experimentation 1753 | experimented 1754 | experimenters 1755 | experimenting 1756 | experiments 1757 | expert 1758 | expertise 1759 | experts 1760 | explain 1761 | explained 1762 | explaining 1763 | explains 1764 | explanation 1765 | explicit 1766 | explicitly 1767 | exploit 1768 | exploitation 1769 | exploited 1770 | exploration 1771 | exploratory 1772 | explore 1773 | explored 1774 | exponential 1775 | exponentially 1776 | exposed 1777 | exposure 1778 | express 1779 | expressed 1780 | expression 1781 | expressions 1782 | extend 1783 | extended 1784 | extending 1785 | extension 1786 | extensive 1787 | extensively 1788 | extent 1789 | external 1790 | extinguished 1791 | extra 1792 | extracted 1793 | extracting 1794 | extreme 1795 | extremely 1796 | extremes 1797 | fabricated 1798 | face 1799 | faced 1800 | faces 1801 | facilitate 1802 | facilitated 1803 | facilities 1804 | facility 1805 | fact 1806 | factor 1807 | factorial 1808 | factors 1809 | facts 1810 | faculties 1811 | faculty 1812 | fail 1813 | failed 1814 | failing 1815 | fails 1816 | failure 1817 | failures 1818 | fair 1819 | fairly 1820 | fairness 1821 | faith 1822 | fall 1823 | falls 1824 | false 1825 | familiar 1826 | families 1827 | family 1828 | far 1829 | fashion 1830 | fast 1831 | faster 1832 | fastest 1833 | favor 1834 | favorable 1835 | fear 1836 | feasibility 1837 | feasible 1838 | feature 1839 | features 1840 | february 1841 | federal 1842 | federally 1843 | feed 1844 | feedback 1845 | feel 1846 | feeling 1847 | feels 1848 | feet 1849 | felt 1850 | female 1851 | females 1852 | few 1853 | fewer 1854 | field 1855 | fields 1856 | fifteen 1857 | fifth 1858 | fig 1859 | figs 1860 | figure 1861 | figures 1862 | file 1863 | filed 1864 | files 1865 | filing 1866 | fill 1867 | filled 1868 | filling 1869 | fills 1870 | film 1871 | filter 1872 | filtered 1873 | filtering 1874 | filters 1875 | final 1876 | finally 1877 | finance 1878 | financed 1879 | finances 1880 | financial 1881 | financing 1882 | find 1883 | finding 1884 | findings 1885 | finds 1886 | fine 1887 | finely 1888 | finish 1889 | finished 1890 | finite 1891 | fire 1892 | fires 1893 | firm 1894 | firmly 1895 | first 1896 | fiscal 1897 | fiscally 1898 | fit 1899 | fits 1900 | fitted 1901 | fitting 1902 | five 1903 | fix 1904 | fixed 1905 | flat 1906 | flexibility 1907 | flexible 1908 | flip 1909 | floor 1910 | flop 1911 | flops 1912 | flow 1913 | flowing 1914 | follow 1915 | followed 1916 | following 1917 | follows 1918 | food 1919 | foot 1920 | for 1921 | force 1922 | forced 1923 | forceful 1924 | forces 1925 | foregoing 1926 | foreign 1927 | forest 1928 | form 1929 | formal 1930 | formally 1931 | format 1932 | formation 1933 | formats 1934 | formatted 1935 | formed 1936 | former 1937 | forming 1938 | forms 1939 | formula 1940 | formulae 1941 | formulated 1942 | formulation 1943 | forth 1944 | fortran 1945 | forward 1946 | found 1947 | four 1948 | fourth 1949 | fraction 1950 | fractions 1951 | frame 1952 | frames 1953 | framework 1954 | framing 1955 | free 1956 | freed 1957 | freedom 1958 | freely 1959 | french 1960 | frequencies 1961 | frequency 1962 | frequent 1963 | frequently 1964 | fresh 1965 | friend 1966 | friendly 1967 | friends 1968 | from 1969 | front 1970 | fulfill 1971 | fulfilled 1972 | fulfilling 1973 | full 1974 | fully 1975 | function 1976 | functional 1977 | functionally 1978 | functioning 1979 | functions 1980 | fund 1981 | fundamental 1982 | funded 1983 | funding 1984 | funds 1985 | furnish 1986 | furnished 1987 | furnishes 1988 | further 1989 | furthermore 1990 | future 1991 | gain 1992 | gained 1993 | gainers 1994 | gaining 1995 | gains 1996 | gap 1997 | gas 1998 | gaseous 1999 | gases 2000 | gate 2001 | gates 2002 | gather 2003 | gathered 2004 | gathering 2005 | gating 2006 | gauge 2007 | gauges 2008 | gave 2009 | general 2010 | generalist 2011 | generalists 2012 | generality 2013 | generalization 2014 | generalize 2015 | generalized 2016 | generally 2017 | generals 2018 | generate 2019 | generated 2020 | generates 2021 | generating 2022 | generation 2023 | generator 2024 | generators 2025 | geographical 2026 | geographically 2027 | geometries 2028 | geometry 2029 | german 2030 | germany 2031 | get 2032 | gets 2033 | getting 2034 | give 2035 | given 2036 | gives 2037 | giving 2038 | glance 2039 | glass 2040 | glasses 2041 | global 2042 | glow 2043 | go 2044 | goal 2045 | goals 2046 | goes 2047 | going 2048 | gone 2049 | good 2050 | goods 2051 | govern 2052 | governed 2053 | governing 2054 | government 2055 | governmental 2056 | governments 2057 | gradually 2058 | graduate 2059 | graduates 2060 | graduating 2061 | grant 2062 | granted 2063 | granting 2064 | graph 2065 | graphic 2066 | graphical 2067 | graphics 2068 | graphs 2069 | great 2070 | greater 2071 | greatest 2072 | greatly 2073 | green 2074 | gross 2075 | grossly 2076 | ground 2077 | grounded 2078 | grounds 2079 | group 2080 | grouped 2081 | grouping 2082 | groupings 2083 | groups 2084 | grow 2085 | growing 2086 | grown 2087 | grows 2088 | growth 2089 | guarantee 2090 | guaranteed 2091 | guaranteeing 2092 | guarantees 2093 | guard 2094 | guarded 2095 | gudeance 2096 | guess 2097 | guessed 2098 | guesses 2099 | guests 2100 | guidance 2101 | guide 2102 | guided 2103 | guidelines 2104 | guiding 2105 | habit 2106 | habits 2107 | had 2108 | hair 2109 | half 2110 | hall 2111 | halls 2112 | hand 2113 | handbook 2114 | handle 2115 | handled 2116 | handler 2117 | handles 2118 | handling 2119 | hands 2120 | hang 2121 | hanging 2122 | hangs 2123 | happen 2124 | happened 2125 | happening 2126 | happens 2127 | hard 2128 | harder 2129 | hardly 2130 | hardware 2131 | has 2132 | have 2133 | having 2134 | hazy 2135 | he 2136 | head 2137 | headings 2138 | heads 2139 | health 2140 | healthy 2141 | hear 2142 | heard 2143 | hearing 2144 | heat 2145 | heating 2146 | heavily 2147 | heavy 2148 | height 2149 | heights 2150 | held 2151 | help 2152 | helped 2153 | helpful 2154 | helps 2155 | hence 2156 | her 2157 | here 2158 | herein 2159 | hereinafter 2160 | hers 2161 | hesitate 2162 | hidden 2163 | hierarchal 2164 | hierarchical 2165 | hierarchy 2166 | high 2167 | higher 2168 | highest 2169 | highly 2170 | hill 2171 | him 2172 | himself 2173 | hire 2174 | hired 2175 | hiring 2176 | his 2177 | historic 2178 | historical 2179 | history 2180 | hold 2181 | holding 2182 | holds 2183 | hole 2184 | holes 2185 | holidays 2186 | home 2187 | hook 2188 | hope 2189 | hoped 2190 | hopefully 2191 | hopes 2192 | horizontal 2193 | horizontally 2194 | hospital 2195 | hospitals 2196 | host 2197 | hot 2198 | hour 2199 | hours 2200 | house 2201 | houses 2202 | housing 2203 | how 2204 | however 2205 | human 2206 | humanly 2207 | humans 2208 | hundred 2209 | hundreds 2210 | hypotheses 2211 | hypothesis 2212 | hypothesized 2213 | hypothetical 2214 | i 2215 | idea 2216 | ideal 2217 | ideally 2218 | ideas 2219 | identical 2220 | identifiable 2221 | identification 2222 | identifications 2223 | identified 2224 | identifies 2225 | identify 2226 | identifying 2227 | identity 2228 | idle 2229 | if 2230 | ignore 2231 | ignored 2232 | ignores 2233 | ignoring 2234 | illness 2235 | illustrate 2236 | illustrated 2237 | illustrates 2238 | illustrating 2239 | illustration 2240 | illustrations 2241 | illustrative 2242 | illustratively 2243 | image 2244 | images 2245 | immediate 2246 | immediately 2247 | impact 2248 | impedance 2249 | impede 2250 | implement 2251 | implementation 2252 | implemented 2253 | implementing 2254 | implementors 2255 | implications 2256 | implicitly 2257 | implied 2258 | implies 2259 | imply 2260 | implying 2261 | importance 2262 | important 2263 | impose 2264 | imposed 2265 | impossibility 2266 | impossible 2267 | impressed 2268 | impression 2269 | impressions 2270 | impressive 2271 | impressively 2272 | improve 2273 | improved 2274 | improvement 2275 | improvements 2276 | improving 2277 | impurities 2278 | impurity 2279 | in 2280 | inability 2281 | inaccessible 2282 | inactive 2283 | inadequacy 2284 | inadequate 2285 | inappropriate 2286 | inches 2287 | inclination 2288 | inclined 2289 | include 2290 | included 2291 | includes 2292 | including 2293 | incoming 2294 | incompetence 2295 | incompetent 2296 | incomplete 2297 | inconsistent 2298 | inconvenience 2299 | inconvenienced 2300 | inconvenient 2301 | incorporate 2302 | incorporated 2303 | incorporates 2304 | incorporating 2305 | incorporation 2306 | incorrect 2307 | incorrectly 2308 | increase 2309 | increased 2310 | increases 2311 | increasing 2312 | increasingly 2313 | increment 2314 | incremental 2315 | incremented 2316 | incrementing 2317 | increments 2318 | incur 2319 | incurred 2320 | incurring 2321 | indeces 2322 | indeed 2323 | indefinite 2324 | independence 2325 | independent 2326 | independently 2327 | index 2328 | indexed 2329 | indexes 2330 | indexing 2331 | india 2332 | indicate 2333 | indicated 2334 | indicates 2335 | indicating 2336 | indication 2337 | indications 2338 | indicative 2339 | indicator 2340 | indicators 2341 | indices 2342 | indifferent 2343 | individual 2344 | individualized 2345 | individuals 2346 | industrial 2347 | industry 2348 | ineffective 2349 | inefficiency 2350 | inefficient 2351 | inequalities 2352 | inequality 2353 | inexperienced 2354 | infer 2355 | inference 2356 | inferences 2357 | influence 2358 | influencing 2359 | influential 2360 | inform 2361 | informal 2362 | informally 2363 | information 2364 | informational 2365 | informations 2366 | informative 2367 | informed 2368 | informing 2369 | infrequently 2370 | inherent 2371 | inhibits 2372 | initial 2373 | initialed 2374 | initialization 2375 | initialize 2376 | initializes 2377 | initially 2378 | initiate 2379 | initiated 2380 | initiating 2381 | initiation 2382 | initiative 2383 | inner 2384 | input 2385 | inputs 2386 | insert 2387 | inserted 2388 | inserting 2389 | insertion 2390 | insertions 2391 | inserts 2392 | inside 2393 | insight 2394 | insights 2395 | insist 2396 | instability 2397 | install 2398 | installation 2399 | installations 2400 | installed 2401 | installing 2402 | instance 2403 | instances 2404 | instant 2405 | instantaneously 2406 | instead 2407 | institute 2408 | instituted 2409 | institutes 2410 | institution 2411 | institutional 2412 | institutions 2413 | instructed 2414 | instruction 2415 | instructional 2416 | instructions 2417 | instructor 2418 | instructors 2419 | insufficient 2420 | insurance 2421 | insure 2422 | insured 2423 | insures 2424 | integer 2425 | integers 2426 | integral 2427 | integrated 2428 | integrating 2429 | intellectual 2430 | intelligibility 2431 | intelligible 2432 | intended 2433 | intends 2434 | intense 2435 | intensely 2436 | intensity 2437 | intensive 2438 | intent 2439 | inter 2440 | interact 2441 | interacting 2442 | interaction 2443 | interactions 2444 | interactive 2445 | interacts 2446 | interchange 2447 | interchangeable 2448 | interchangeably 2449 | interconnect 2450 | interconnected 2451 | interconnection 2452 | interconnections 2453 | interconnects 2454 | interest 2455 | interested 2456 | interesting 2457 | interests 2458 | interface 2459 | interfaces 2460 | interior 2461 | interlocation 2462 | intermediary 2463 | intermediate 2464 | internal 2465 | internally 2466 | international 2467 | internationally 2468 | interpret 2469 | interpretable 2470 | interpretation 2471 | interpretations 2472 | interpreted 2473 | interrelationship 2474 | interrelationships 2475 | interrupt 2476 | interrupted 2477 | interrupting 2478 | interruption 2479 | interruptions 2480 | interstage 2481 | interval 2482 | intervals 2483 | interview 2484 | interviewed 2485 | interviewing 2486 | interviews 2487 | intimate 2488 | intimately 2489 | into 2490 | introduce 2491 | introduced 2492 | introduces 2493 | introducing 2494 | introduction 2495 | introductory 2496 | invalid 2497 | invalidates 2498 | invent 2499 | invented 2500 | invention 2501 | inventive 2502 | inventor 2503 | inventories 2504 | inventory 2505 | inverse 2506 | inversely 2507 | inverted 2508 | inverter 2509 | invest 2510 | investigate 2511 | investigated 2512 | investigation 2513 | investigations 2514 | investment 2515 | investments 2516 | invite 2517 | invites 2518 | involve 2519 | involved 2520 | involvement 2521 | involves 2522 | involving 2523 | ion 2524 | ions 2525 | irrelevant 2526 | is 2527 | isolate 2528 | isolated 2529 | isolation 2530 | issue 2531 | issued 2532 | issues 2533 | it 2534 | item 2535 | itemized 2536 | items 2537 | iteration 2538 | iterations 2539 | its 2540 | itself 2541 | james 2542 | january 2543 | jargon 2544 | jersey 2545 | job 2546 | jobs 2547 | john 2548 | johnson 2549 | join 2550 | joined 2551 | joint 2552 | jointly 2553 | journal 2554 | journals 2555 | jr 2556 | judge 2557 | judged 2558 | judgment 2559 | judgmental 2560 | judgments 2561 | judicious 2562 | judiciously 2563 | july 2564 | jump 2565 | jumps 2566 | june 2567 | just 2568 | justice 2569 | justification 2570 | justified 2571 | justify 2572 | justifying 2573 | keep 2574 | keeping 2575 | keeps 2576 | kennedy 2577 | kept 2578 | key 2579 | keyed 2580 | keys 2581 | kill 2582 | kind 2583 | kinds 2584 | knew 2585 | know 2586 | knowing 2587 | knowingly 2588 | knowledge 2589 | knowledgeable 2590 | known 2591 | knows 2592 | label 2593 | labeled 2594 | labeling 2595 | labelled 2596 | labelling 2597 | labels 2598 | laboratories 2599 | laboratory 2600 | lack 2601 | lacking 2602 | lacks 2603 | lag 2604 | laid 2605 | land 2606 | language 2607 | languages 2608 | large 2609 | largely 2610 | larger 2611 | largest 2612 | laser 2613 | lasers 2614 | last 2615 | late 2616 | later 2617 | latest 2618 | latter 2619 | law 2620 | laws 2621 | lay 2622 | layer 2623 | layers 2624 | laying 2625 | layout 2626 | layouts 2627 | lays 2628 | lead 2629 | leader 2630 | leaders 2631 | leadership 2632 | leading 2633 | leads 2634 | learn 2635 | learned 2636 | learning 2637 | least 2638 | leave 2639 | leaves 2640 | leaving 2641 | led 2642 | left 2643 | leftmost 2644 | legal 2645 | legally 2646 | legitimate 2647 | lend 2648 | lending 2649 | length 2650 | lengthening 2651 | lengthens 2652 | lengths 2653 | lengthy 2654 | less 2655 | lessened 2656 | lesser 2657 | let 2658 | lets 2659 | letter 2660 | letters 2661 | letting 2662 | level 2663 | levels 2664 | liability 2665 | liable 2666 | liason 2667 | liberal 2668 | liberalized 2669 | librarian 2670 | librarians 2671 | libraries 2672 | library 2673 | lie 2674 | lies 2675 | life 2676 | light 2677 | lighting 2678 | lights 2679 | like 2680 | likely 2681 | likened 2682 | likewise 2683 | limit 2684 | limitation 2685 | limitations 2686 | limited 2687 | limiting 2688 | limits 2689 | line 2690 | linear 2691 | linearly 2692 | lines 2693 | link 2694 | linkage 2695 | linkages 2696 | linked 2697 | linking 2698 | links 2699 | list 2700 | listed 2701 | listing 2702 | lists 2703 | literal 2704 | literally 2705 | literature 2706 | little 2707 | live 2708 | lived 2709 | load 2710 | loaded 2711 | loading 2712 | loads 2713 | loan 2714 | loaned 2715 | loans 2716 | local 2717 | locally 2718 | locate 2719 | located 2720 | locates 2721 | locating 2722 | location 2723 | locations 2724 | log 2725 | logged 2726 | logging 2727 | logic 2728 | logical 2729 | long 2730 | longer 2731 | longest 2732 | look 2733 | looked 2734 | looking 2735 | looks 2736 | loop 2737 | loops 2738 | lose 2739 | loses 2740 | losing 2741 | loss 2742 | losses 2743 | lost 2744 | lot 2745 | low 2746 | lower 2747 | lowest 2748 | machine 2749 | machinery 2750 | machines 2751 | made 2752 | magnetic 2753 | magnitude 2754 | magnitudes 2755 | mail 2756 | mailed 2757 | mailing 2758 | mails 2759 | main 2760 | mainly 2761 | maintain 2762 | maintained 2763 | maintaining 2764 | maintains 2765 | maintenance 2766 | major 2767 | majority 2768 | majors 2769 | make 2770 | maker 2771 | makers 2772 | makes 2773 | making 2774 | male 2775 | males 2776 | man 2777 | manage 2778 | manageable 2779 | managed 2780 | management 2781 | managements 2782 | manager 2783 | managerial 2784 | managers 2785 | managing 2786 | manipulate 2787 | manipulation 2788 | manned 2789 | manner 2790 | manning 2791 | manual 2792 | manually 2793 | manuals 2794 | manufactured 2795 | manufacturer 2796 | manufacturers 2797 | manufacturing 2798 | manuscript 2799 | manuscripts 2800 | many 2801 | map 2802 | mapped 2803 | mapping 2804 | maps 2805 | march 2806 | margin 2807 | marginal 2808 | margins 2809 | mark 2810 | marked 2811 | markedly 2812 | market 2813 | marketability 2814 | marketing 2815 | markets 2816 | marking 2817 | marks 2818 | mask 2819 | masked 2820 | masking 2821 | mass 2822 | master 2823 | mastered 2824 | masters 2825 | match 2826 | matched 2827 | matches 2828 | matching 2829 | material 2830 | materials 2831 | mathematical 2832 | mathematically 2833 | mathematician 2834 | mathematicians 2835 | mathematics 2836 | matrices 2837 | matrix 2838 | matter 2839 | matters 2840 | maximizes 2841 | maximum 2842 | may 2843 | me 2844 | mean 2845 | meaning 2846 | meaningful 2847 | meaningfulness 2848 | meaningless 2849 | meanings 2850 | means 2851 | meant 2852 | measurable 2853 | measure 2854 | measured 2855 | measurement 2856 | measurements 2857 | measures 2858 | measuring 2859 | mechanical 2860 | mechanics 2861 | mechanism 2862 | mechanisms 2863 | media 2864 | median 2865 | medical 2866 | medicine 2867 | medium 2868 | meet 2869 | meeting 2870 | meetings 2871 | meets 2872 | member 2873 | members 2874 | membership 2875 | memberships 2876 | memoranda 2877 | memorandum 2878 | memory 2879 | men 2880 | mention 2881 | mentioned 2882 | mere 2883 | merely 2884 | merge 2885 | merged 2886 | merging 2887 | merit 2888 | message 2889 | messages 2890 | met 2891 | metal 2892 | metallization 2893 | metallurgy 2894 | metals 2895 | method 2896 | methodological 2897 | methodologies 2898 | methodology 2899 | methods 2900 | metric 2901 | microfilm 2902 | middle 2903 | might 2904 | mileage 2905 | miles 2906 | military 2907 | million 2908 | mind 2909 | minded 2910 | minds 2911 | minimal 2912 | minimize 2913 | minimized 2914 | minimizes 2915 | minimizing 2916 | minimum 2917 | minister 2918 | minor 2919 | minority 2920 | minute 2921 | minutes 2922 | miscellaneous 2923 | missed 2924 | missing 2925 | mistake 2926 | mistakes 2927 | mix 2928 | mixed 2929 | mixes 2930 | mixture 2931 | mode 2932 | model 2933 | modeling 2934 | models 2935 | moderate 2936 | modern 2937 | modes 2938 | modification 2939 | modifications 2940 | modified 2941 | modifies 2942 | modify 2943 | modifying 2944 | modular 2945 | module 2946 | modules 2947 | modulo 2948 | moment 2949 | momentarily 2950 | money 2951 | monitor 2952 | monotone 2953 | monotonic 2954 | monotonically 2955 | month 2956 | monthly 2957 | months 2958 | moon 2959 | moral 2960 | more 2961 | moreover 2962 | morgan 2963 | morning 2964 | most 2965 | mostly 2966 | motivated 2967 | motivation 2968 | motor 2969 | mount 2970 | mounted 2971 | mounting 2972 | move 2973 | moved 2974 | moves 2975 | moving 2976 | much 2977 | multi 2978 | multidimensional 2979 | multiple 2980 | multiplication 2981 | multiplied 2982 | multiplier 2983 | multipliers 2984 | multiply 2985 | multiprogram 2986 | multiprogrammed 2987 | multiprogramming 2988 | multistage 2989 | multivariate 2990 | murder 2991 | murray 2992 | must 2993 | mutually 2994 | my 2995 | name 2996 | named 2997 | namely 2998 | names 2999 | naming 3000 | narrow 3001 | nation 3002 | national 3003 | nationally 3004 | nations 3005 | natural 3006 | naturally 3007 | nature 3008 | near 3009 | nearer 3010 | nearest 3011 | nearly 3012 | necessarily 3013 | necessary 3014 | necessitate 3015 | necessitates 3016 | necessity 3017 | need 3018 | needed 3019 | needing 3020 | needs 3021 | negate 3022 | negated 3023 | negative 3024 | neglect 3025 | neglected 3026 | neighbor 3027 | neighboring 3028 | neither 3029 | net 3030 | network 3031 | networks 3032 | neutral 3033 | never 3034 | nevertheless 3035 | new 3036 | newer 3037 | newest 3038 | newly 3039 | news 3040 | next 3041 | nice 3042 | night 3043 | nine 3044 | no 3045 | nobody 3046 | node 3047 | nodes 3048 | noise 3049 | noisy 3050 | non 3051 | none 3052 | nonexistence 3053 | nonlinear 3054 | nonlinearity 3055 | nonowners 3056 | nonzero 3057 | nor 3058 | norm 3059 | normal 3060 | normality 3061 | normalized 3062 | normalizes 3063 | normally 3064 | norms 3065 | north 3066 | not 3067 | notable 3068 | notably 3069 | notation 3070 | note 3071 | noted 3072 | notes 3073 | noteworthy 3074 | nothing 3075 | notice 3076 | noticeable 3077 | noticeably 3078 | noticed 3079 | notification 3080 | notified 3081 | notify 3082 | noting 3083 | novel 3084 | november 3085 | now 3086 | nuclear 3087 | number 3088 | numbered 3089 | numbering 3090 | numbers 3091 | numeric 3092 | numerical 3093 | numerically 3094 | numerous 3095 | object 3096 | objectionable 3097 | objective 3098 | objectively 3099 | objectives 3100 | objects 3101 | obligation 3102 | obligatory 3103 | observation 3104 | observations 3105 | observe 3106 | observed 3107 | observer 3108 | observing 3109 | obsolete 3110 | obtain 3111 | obtained 3112 | obtaining 3113 | obtains 3114 | obvious 3115 | obviously 3116 | occasion 3117 | occasional 3118 | occasionally 3119 | occupancy 3120 | occupations 3121 | occupied 3122 | occupies 3123 | occupy 3124 | occupying 3125 | occur 3126 | occurred 3127 | occurrence 3128 | occurrences 3129 | occurring 3130 | occurs 3131 | october 3132 | odd 3133 | of 3134 | off 3135 | offer 3136 | offered 3137 | offering 3138 | offerings 3139 | offers 3140 | office 3141 | officer 3142 | officers 3143 | offices 3144 | official 3145 | officially 3146 | officials 3147 | often 3148 | oil 3149 | old 3150 | older 3151 | omission 3152 | omitted 3153 | on 3154 | once 3155 | one 3156 | ones 3157 | only 3158 | onto 3159 | open 3160 | opened 3161 | opening 3162 | openings 3163 | opens 3164 | operable 3165 | operate 3166 | operated 3167 | operates 3168 | operating 3169 | operation 3170 | operational 3171 | operations 3172 | operative 3173 | operator 3174 | operators 3175 | opinion 3176 | opinions 3177 | opportunism 3178 | opportunities 3179 | opportunity 3180 | opposite 3181 | optical 3182 | optically 3183 | optimal 3184 | optimality 3185 | optimistic 3186 | optimization 3187 | optimum 3188 | option 3189 | options 3190 | or 3191 | oral 3192 | orally 3193 | order 3194 | ordered 3195 | ordering 3196 | orderings 3197 | orderly 3198 | orders 3199 | ordinary 3200 | organization 3201 | organizational 3202 | organizations 3203 | organize 3204 | organized 3205 | organizer 3206 | organizing 3207 | orientation 3208 | oriented 3209 | origin 3210 | original 3211 | originally 3212 | originals 3213 | originated 3214 | originating 3215 | originator 3216 | orthogonal 3217 | other 3218 | others 3219 | otherwise 3220 | ought 3221 | our 3222 | ourselves 3223 | out 3224 | outcome 3225 | outcomes 3226 | outgoing 3227 | outline 3228 | outlined 3229 | outlines 3230 | outlining 3231 | output 3232 | outputs 3233 | outs 3234 | outset 3235 | outside 3236 | outsiders 3237 | over 3238 | overall 3239 | overhead 3240 | overlap 3241 | overlaps 3242 | overly 3243 | overview 3244 | overviews 3245 | own 3246 | owned 3247 | owner 3248 | owners 3249 | owns 3250 | package 3251 | packages 3252 | packing 3253 | packs 3254 | page 3255 | pages 3256 | paid 3257 | pain 3258 | painful 3259 | pair 3260 | paired 3261 | pairs 3262 | panel 3263 | panels 3264 | paper 3265 | papers 3266 | paragraph 3267 | paragraphs 3268 | parallel 3269 | parameter 3270 | parameters 3271 | paramount 3272 | part 3273 | partial 3274 | partially 3275 | participants 3276 | participated 3277 | participating 3278 | particular 3279 | particularly 3280 | parties 3281 | partition 3282 | partitioned 3283 | partitioning 3284 | partitions 3285 | partly 3286 | parts 3287 | party 3288 | pass 3289 | passage 3290 | passed 3291 | passes 3292 | passing 3293 | past 3294 | patent 3295 | patentable 3296 | patented 3297 | patents 3298 | path 3299 | paths 3300 | patient 3301 | patients 3302 | pattern 3303 | patterns 3304 | pause 3305 | pauses 3306 | pay 3307 | pays 3308 | peak 3309 | pension 3310 | pensions 3311 | people 3312 | per 3313 | perceived 3314 | percent 3315 | percentage 3316 | percentages 3317 | perceptible 3318 | perceptibly 3319 | perceptions 3320 | perceptual 3321 | perfect 3322 | perfectly 3323 | perform 3324 | performance 3325 | performed 3326 | performing 3327 | performs 3328 | perhaps 3329 | period 3330 | periodic 3331 | periodically 3332 | periodicals 3333 | periods 3334 | peripheral 3335 | peripherals 3336 | periphery 3337 | permanent 3338 | permanently 3339 | permissible 3340 | permission 3341 | permissions 3342 | permissive 3343 | permit 3344 | permits 3345 | permitted 3346 | permitting 3347 | person 3348 | personal 3349 | personalized 3350 | personally 3351 | personnel 3352 | persons 3353 | pertain 3354 | pertaining 3355 | pertains 3356 | pertinent 3357 | perusal 3358 | phase 3359 | phased 3360 | phases 3361 | phenomena 3362 | philosophy 3363 | photocopied 3364 | photocopies 3365 | photocopy 3366 | photocopying 3367 | physical 3368 | physically 3369 | pick 3370 | picked 3371 | picking 3372 | pickup 3373 | pictorial 3374 | picture 3375 | pictures 3376 | piece 3377 | pieces 3378 | pile 3379 | piles 3380 | pilot 3381 | pipe 3382 | piped 3383 | pipes 3384 | pitfalls 3385 | place 3386 | placed 3387 | places 3388 | placing 3389 | plan 3390 | planar 3391 | plane 3392 | planned 3393 | planner 3394 | planning 3395 | plans 3396 | plant 3397 | plants 3398 | plausible 3399 | play 3400 | played 3401 | players 3402 | playing 3403 | plays 3404 | pleasant 3405 | please 3406 | pleased 3407 | pleasing 3408 | plots 3409 | plotted 3410 | plotter 3411 | plotters 3412 | plotting 3413 | plurality 3414 | plus 3415 | point 3416 | pointed 3417 | pointer 3418 | pointers 3419 | pointing 3420 | points 3421 | polarity 3422 | police 3423 | policies 3424 | policy 3425 | political 3426 | politically 3427 | pollution 3428 | polymers 3429 | polynomial 3430 | polynomials 3431 | pool 3432 | pooled 3433 | pooling 3434 | pools 3435 | poor 3436 | poorer 3437 | poorly 3438 | popular 3439 | popularity 3440 | populating 3441 | population 3442 | porter 3443 | portion 3444 | portions 3445 | position 3446 | positions 3447 | positive 3448 | possess 3449 | possession 3450 | possibilities 3451 | possibility 3452 | possible 3453 | possibly 3454 | post 3455 | posts 3456 | potential 3457 | potentially 3458 | power 3459 | powerful 3460 | practicable 3461 | practical 3462 | practice 3463 | practiced 3464 | practices 3465 | practicing 3466 | practitioners 3467 | preassigned 3468 | precede 3469 | preceded 3470 | preceding 3471 | precise 3472 | precisely 3473 | precision 3474 | predetermined 3475 | predict 3476 | predicted 3477 | predicting 3478 | prediction 3479 | predictions 3480 | prefer 3481 | preferable 3482 | preference 3483 | preferences 3484 | preferred 3485 | premium 3486 | premiums 3487 | preparation 3488 | prepare 3489 | prepared 3490 | preparing 3491 | prescription 3492 | presence 3493 | present 3494 | presentation 3495 | presentations 3496 | presented 3497 | presently 3498 | presents 3499 | press 3500 | pressed 3501 | pressure 3502 | pressurized 3503 | presumably 3504 | presumed 3505 | pretty 3506 | prevent 3507 | prevented 3508 | preventing 3509 | preventive 3510 | prevents 3511 | previous 3512 | previously 3513 | price 3514 | priced 3515 | prices 3516 | pricing 3517 | primarily 3518 | primary 3519 | prime 3520 | priming 3521 | principal 3522 | principle 3523 | principles 3524 | print 3525 | printed 3526 | printer 3527 | printers 3528 | printing 3529 | prints 3530 | prior 3531 | priori 3532 | priorities 3533 | priority 3534 | privacy 3535 | private 3536 | privilege 3537 | privileged 3538 | privileges 3539 | probabilities 3540 | probability 3541 | probable 3542 | probably 3543 | problem 3544 | problematical 3545 | problems 3546 | proc 3547 | procedural 3548 | procedure 3549 | procedures 3550 | proceed 3551 | proceeded 3552 | proceeding 3553 | proceeds 3554 | process 3555 | processed 3556 | processes 3557 | processing 3558 | processor 3559 | processors 3560 | produce 3561 | produced 3562 | produces 3563 | producing 3564 | product 3565 | production 3566 | productive 3567 | productivity 3568 | products 3569 | profession 3570 | professional 3571 | professionalism 3572 | professionally 3573 | professionals 3574 | professor 3575 | professors 3576 | profile 3577 | profiles 3578 | program 3579 | programmed 3580 | programmer 3581 | programmers 3582 | programming 3583 | programs 3584 | progress 3585 | progresses 3586 | prohibited 3587 | prohibitively 3588 | prohibits 3589 | project 3590 | projected 3591 | projection 3592 | projections 3593 | projectors 3594 | projects 3595 | promotion 3596 | promotional 3597 | promotions 3598 | prompt 3599 | prompting 3600 | promptly 3601 | pronounced 3602 | proof 3603 | propagate 3604 | propagated 3605 | propagating 3606 | propagation 3607 | proper 3608 | properly 3609 | properties 3610 | property 3611 | proportion 3612 | proportional 3613 | proportionate 3614 | proportions 3615 | proposal 3616 | proposals 3617 | propose 3618 | proposed 3619 | proposes 3620 | prospects 3621 | protect 3622 | protected 3623 | protecting 3624 | protection 3625 | protects 3626 | proters 3627 | prove 3628 | proved 3629 | proven 3630 | proves 3631 | provide 3632 | provided 3633 | provides 3634 | providing 3635 | proving 3636 | provision 3637 | provisional 3638 | provisionally 3639 | provisions 3640 | public 3641 | publication 3642 | publications 3643 | publicly 3644 | publish 3645 | published 3646 | pulse 3647 | pulses 3648 | purchase 3649 | purchased 3650 | purchases 3651 | purchasing 3652 | pure 3653 | purely 3654 | purpose 3655 | purposes 3656 | pushed 3657 | pushing 3658 | put 3659 | puts 3660 | putting 3661 | qualities 3662 | quality 3663 | quantities 3664 | quantity 3665 | quantization 3666 | quarter 3667 | quarterly 3668 | question 3669 | questionable 3670 | questioning 3671 | questionnaire 3672 | questionnaires 3673 | questions 3674 | quick 3675 | quickly 3676 | quiet 3677 | quite 3678 | quote 3679 | quoted 3680 | quotes 3681 | radio 3682 | raise 3683 | raised 3684 | random 3685 | randomly 3686 | range 3687 | ranged 3688 | ranges 3689 | ranging 3690 | rank 3691 | ranking 3692 | rankings 3693 | ranks 3694 | rapid 3695 | rapidly 3696 | rare 3697 | rarely 3698 | rate 3699 | rated 3700 | rates 3701 | rather 3702 | rating 3703 | ratings 3704 | ratio 3705 | rational 3706 | ratios 3707 | ray 3708 | rays 3709 | reach 3710 | reached 3711 | reaches 3712 | reaching 3713 | reaction 3714 | reactions 3715 | read 3716 | readable 3717 | reader 3718 | readers 3719 | readily 3720 | reading 3721 | readings 3722 | reads 3723 | ready 3724 | real 3725 | realistic 3726 | realistically 3727 | realities 3728 | reality 3729 | realization 3730 | realize 3731 | realized 3732 | realizing 3733 | really 3734 | rear 3735 | reason 3736 | reasonable 3737 | reasonably 3738 | reasons 3739 | reassigned 3740 | reassignment 3741 | receipts 3742 | receive 3743 | received 3744 | receiver 3745 | receivers 3746 | receives 3747 | receiving 3748 | recent 3749 | recently 3750 | recognition 3751 | recognize 3752 | recognized 3753 | recognizes 3754 | recognizing 3755 | recommend 3756 | recommendation 3757 | recommendations 3758 | recommended 3759 | recommending 3760 | record 3761 | recorded 3762 | recorders 3763 | recording 3764 | recordings 3765 | records 3766 | recover 3767 | recovered 3768 | recovering 3769 | recovers 3770 | recovery 3771 | rectangular 3772 | recurring 3773 | recursive 3774 | recursively 3775 | red 3776 | reduce 3777 | reduced 3778 | reduces 3779 | reducing 3780 | reduction 3781 | reductions 3782 | refer 3783 | reference 3784 | referenced 3785 | references 3786 | referencing 3787 | referral 3788 | referred 3789 | referring 3790 | refers 3791 | reflect 3792 | reflected 3793 | reflecting 3794 | reflection 3795 | reflections 3796 | refused 3797 | regard 3798 | regarded 3799 | regarding 3800 | regardless 3801 | region 3802 | regional 3803 | regionally 3804 | regions 3805 | register 3806 | registered 3807 | registers 3808 | registration 3809 | regression 3810 | regular 3811 | regularly 3812 | regulated 3813 | regulations 3814 | reinforced 3815 | reinforces 3816 | reinforcing 3817 | reject 3818 | rejected 3819 | rejecting 3820 | rejection 3821 | rejects 3822 | relate 3823 | related 3824 | relates 3825 | relating 3826 | relation 3827 | relations 3828 | relationship 3829 | relationships 3830 | relative 3831 | relatively 3832 | relay 3833 | relayed 3834 | release 3835 | released 3836 | releases 3837 | relevance 3838 | relevant 3839 | reliability 3840 | reliable 3841 | relief 3842 | remain 3843 | remainder 3844 | remained 3845 | remaining 3846 | remains 3847 | remarkable 3848 | remarkably 3849 | remarks 3850 | remember 3851 | remembered 3852 | remembers 3853 | remote 3854 | remotely 3855 | removal 3856 | remove 3857 | removed 3858 | removes 3859 | removing 3860 | rent 3861 | rental 3862 | rentals 3863 | renting 3864 | repair 3865 | repaired 3866 | repairing 3867 | repairs 3868 | repeat 3869 | repeated 3870 | repeatedly 3871 | repeater 3872 | repeaters 3873 | repeating 3874 | repeats 3875 | repetitions 3876 | repetitive 3877 | replace 3878 | replaced 3879 | replacement 3880 | replaces 3881 | replacing 3882 | report 3883 | reported 3884 | reporters 3885 | reporting 3886 | reports 3887 | represent 3888 | representation 3889 | representations 3890 | representative 3891 | representatives 3892 | represented 3893 | representing 3894 | represents 3895 | reproduce 3896 | reproducing 3897 | reproduction 3898 | reputation 3899 | request 3900 | requested 3901 | requesting 3902 | requests 3903 | require 3904 | required 3905 | requirement 3906 | requirements 3907 | requires 3908 | requiring 3909 | requisite 3910 | requisition 3911 | requisitions 3912 | research 3913 | researcher 3914 | researchers 3915 | resemblance 3916 | resemble 3917 | resembles 3918 | reserve 3919 | reserved 3920 | reset 3921 | resetting 3922 | resident 3923 | resist 3924 | resistance 3925 | resisted 3926 | resistivity 3927 | resistor 3928 | resistors 3929 | resolution 3930 | resolve 3931 | resolved 3932 | resource 3933 | resources 3934 | respect 3935 | respected 3936 | respective 3937 | respectively 3938 | respects 3939 | respond 3940 | respondent 3941 | respondents 3942 | response 3943 | responses 3944 | responsibilities 3945 | responsibility 3946 | responsible 3947 | responsibly 3948 | responsive 3949 | rest 3950 | resting 3951 | restore 3952 | restored 3953 | restoring 3954 | restrict 3955 | restricted 3956 | restriction 3957 | restrictions 3958 | restrictive 3959 | result 3960 | resultant 3961 | resulted 3962 | resulting 3963 | results 3964 | retrieval 3965 | retrieve 3966 | retrieved 3967 | return 3968 | returned 3969 | returning 3970 | returns 3971 | reveal 3972 | revealed 3973 | revealing 3974 | reveals 3975 | reverse 3976 | review 3977 | reviewed 3978 | revised 3979 | revision 3980 | revisions 3981 | reward 3982 | rewarding 3983 | rewards 3984 | rewritten 3985 | rich 3986 | right 3987 | rights 3988 | rigid 3989 | rigidly 3990 | rise 3991 | risk 3992 | risks 3993 | roads 3994 | role 3995 | roles 3996 | room 3997 | rooms 3998 | root 3999 | rooted 4000 | roots 4001 | rose 4002 | rotate 4003 | rotation 4004 | rotations 4005 | rough 4006 | roughly 4007 | round 4008 | rounded 4009 | rounding 4010 | route 4011 | routed 4012 | routes 4013 | routine 4014 | routines 4015 | routing 4016 | routings 4017 | row 4018 | rows 4019 | rule 4020 | ruled 4021 | rules 4022 | run 4023 | running 4024 | runs 4025 | sacrificing 4026 | safe 4027 | safely 4028 | safety 4029 | said 4030 | salary 4031 | sale 4032 | saleable 4033 | sales 4034 | same 4035 | sample 4036 | samples 4037 | sampling 4038 | san 4039 | satisfaction 4040 | satisfactorily 4041 | satisfactory 4042 | satisfied 4043 | satisfies 4044 | satisfy 4045 | satisfying 4046 | save 4047 | saved 4048 | saving 4049 | savings 4050 | say 4051 | saying 4052 | says 4053 | scalar 4054 | scale 4055 | scaled 4056 | scaling 4057 | scan 4058 | scanned 4059 | scanning 4060 | scans 4061 | schedule 4062 | scheduled 4063 | schedules 4064 | scheduling 4065 | schematically 4066 | scheme 4067 | schemes 4068 | school 4069 | schooled 4070 | schools 4071 | science 4072 | sciences 4073 | scientific 4074 | scientifically 4075 | scientist 4076 | scientists 4077 | scope 4078 | score 4079 | scorers 4080 | scores 4081 | screen 4082 | screened 4083 | screening 4084 | sea 4085 | search 4086 | searched 4087 | searches 4088 | searching 4089 | second 4090 | secondary 4091 | secondly 4092 | seconds 4093 | secret 4094 | secretarial 4095 | secretaries 4096 | secretary 4097 | secretive 4098 | secrets 4099 | section 4100 | sectional 4101 | sections 4102 | secure 4103 | securely 4104 | security 4105 | see 4106 | seeing 4107 | seek 4108 | seeking 4109 | seem 4110 | seemed 4111 | seems 4112 | seen 4113 | sees 4114 | segment 4115 | segmented 4116 | segments 4117 | seldom 4118 | select 4119 | selected 4120 | selection 4121 | selective 4122 | selectively 4123 | selects 4124 | self 4125 | sell 4126 | selling 4127 | sells 4128 | semiconductor 4129 | send 4130 | sending 4131 | sense 4132 | sensitive 4133 | sensitivity 4134 | sent 4135 | separate 4136 | separated 4137 | separately 4138 | separates 4139 | separation 4140 | september 4141 | sequence 4142 | sequences 4143 | sequential 4144 | sequentially 4145 | serial 4146 | series 4147 | serious 4148 | seriously 4149 | serve 4150 | served 4151 | serves 4152 | service 4153 | serviced 4154 | services 4155 | servicing 4156 | serving 4157 | set 4158 | sets 4159 | setting 4160 | settings 4161 | seven 4162 | several 4163 | severe 4164 | shall 4165 | shape 4166 | share 4167 | shared 4168 | sharing 4169 | sharp 4170 | she 4171 | sheet 4172 | sheets 4173 | shift 4174 | shifting 4175 | shifts 4176 | ship 4177 | shipped 4178 | shipping 4179 | ships 4180 | shop 4181 | shopping 4182 | shops 4183 | short 4184 | shortage 4185 | shortages 4186 | shortened 4187 | shortens 4188 | shorter 4189 | shortest 4190 | shortly 4191 | shot 4192 | shots 4193 | should 4194 | show 4195 | showed 4196 | showing 4197 | shown 4198 | shows 4199 | side 4200 | sides 4201 | sign 4202 | signal 4203 | signals 4204 | signature 4205 | signed 4206 | significance 4207 | significant 4208 | significantly 4209 | signing 4210 | similar 4211 | similarity 4212 | similarly 4213 | simple 4214 | simpler 4215 | simplest 4216 | simplicity 4217 | simplified 4218 | simplify 4219 | simply 4220 | simultaneous 4221 | simultaneously 4222 | since 4223 | single 4224 | sit 4225 | site 4226 | sits 4227 | situation 4228 | situations 4229 | six 4230 | sixth 4231 | size 4232 | sized 4233 | sizes 4234 | skill 4235 | skilled 4236 | skills 4237 | slide 4238 | slides 4239 | sliding 4240 | slight 4241 | slightly 4242 | slips 4243 | slot 4244 | slots 4245 | slow 4246 | slower 4247 | slowly 4248 | slows 4249 | small 4250 | smaller 4251 | smallest 4252 | snow 4253 | so 4254 | social 4255 | societal 4256 | society 4257 | soft 4258 | softest 4259 | software 4260 | sole 4261 | solely 4262 | solid 4263 | solution 4264 | solutions 4265 | solve 4266 | solved 4267 | solving 4268 | some 4269 | someone 4270 | something 4271 | sometimes 4272 | somewhat 4273 | somewhere 4274 | son 4275 | soon 4276 | sooner 4277 | sophisticated 4278 | sort 4279 | sorted 4280 | sorter 4281 | sorters 4282 | sorting 4283 | sorts 4284 | sought 4285 | sound 4286 | sounds 4287 | source 4288 | sources 4289 | space 4290 | spaced 4291 | spaces 4292 | spacing 4293 | spatial 4294 | speaker 4295 | speaking 4296 | special 4297 | specialist 4298 | specialists 4299 | specialization 4300 | specialized 4301 | specializing 4302 | specially 4303 | specialties 4304 | specialty 4305 | specific 4306 | specifically 4307 | specification 4308 | specifications 4309 | specifics 4310 | specified 4311 | specifies 4312 | specify 4313 | specifying 4314 | spectrum 4315 | speech 4316 | speed 4317 | spell 4318 | spelling 4319 | spells 4320 | spend 4321 | spent 4322 | sphere 4323 | spherical 4324 | spirit 4325 | spite 4326 | splitting 4327 | spoke 4328 | sponsor 4329 | sponsored 4330 | sponsors 4331 | spot 4332 | spots 4333 | spread 4334 | spring 4335 | square 4336 | squares 4337 | stability 4338 | stabilize 4339 | stable 4340 | staff 4341 | staffed 4342 | staffing 4343 | staffs 4344 | stage 4345 | stages 4346 | stand 4347 | standard 4348 | standards 4349 | standing 4350 | stands 4351 | start 4352 | started 4353 | starting 4354 | starts 4355 | state 4356 | stated 4357 | statement 4358 | statements 4359 | states 4360 | static 4361 | station 4362 | stations 4363 | statistic 4364 | statistical 4365 | statistically 4366 | statisticians 4367 | statistics 4368 | status 4369 | stay 4370 | steady 4371 | step 4372 | steps 4373 | still 4374 | stimulate 4375 | stimuli 4376 | stimulus 4377 | stop 4378 | stopped 4379 | stopping 4380 | stops 4381 | storage 4382 | store 4383 | stored 4384 | stores 4385 | storing 4386 | straight 4387 | straightforward 4388 | strange 4389 | strangers 4390 | strategies 4391 | strategy 4392 | stream 4393 | streams 4394 | street 4395 | streets 4396 | strength 4397 | strengthened 4398 | stress 4399 | strict 4400 | strictest 4401 | strictly 4402 | strikes 4403 | striking 4404 | string 4405 | strings 4406 | strong 4407 | stronger 4408 | strongly 4409 | structural 4410 | structurally 4411 | structure 4412 | structured 4413 | structures 4414 | structuring 4415 | struggle 4416 | student 4417 | students 4418 | studied 4419 | studies 4420 | study 4421 | studying 4422 | style 4423 | subject 4424 | subjected 4425 | subjective 4426 | subjects 4427 | submit 4428 | submitted 4429 | submitting 4430 | subordinate 4431 | subroutine 4432 | subroutines 4433 | subsequent 4434 | subsequently 4435 | subset 4436 | subsets 4437 | substantial 4438 | substantially 4439 | substantive 4440 | substitute 4441 | substituted 4442 | substituting 4443 | substitution 4444 | substrate 4445 | succeed 4446 | succeeding 4447 | success 4448 | successful 4449 | successfully 4450 | succession 4451 | successive 4452 | successively 4453 | such 4454 | sudden 4455 | suddenly 4456 | suffer 4457 | suffice 4458 | sufficiency 4459 | sufficient 4460 | sufficiently 4461 | suggest 4462 | suggested 4463 | suggesting 4464 | suggestion 4465 | suggestions 4466 | suggestive 4467 | suggests 4468 | suitability 4469 | suitable 4470 | suitably 4471 | suited 4472 | sum 4473 | summaries 4474 | summarize 4475 | summarized 4476 | summarizes 4477 | summary 4478 | summing 4479 | sums 4480 | super 4481 | superior 4482 | supervise 4483 | supervised 4484 | supervises 4485 | supervising 4486 | supervision 4487 | supervisor 4488 | supervisors 4489 | supervisory 4490 | supplement 4491 | supplementary 4492 | supplied 4493 | supplier 4494 | suppliers 4495 | supplies 4496 | supply 4497 | supplying 4498 | support 4499 | supported 4500 | supporting 4501 | supports 4502 | suppose 4503 | supposed 4504 | supposedly 4505 | sure 4506 | surface 4507 | surprised 4508 | surprising 4509 | surround 4510 | surrounded 4511 | surrounds 4512 | survey 4513 | surveyed 4514 | surveyors 4515 | surveys 4516 | suspect 4517 | suspected 4518 | suspects 4519 | switch 4520 | switched 4521 | switches 4522 | switching 4523 | symbol 4524 | symbolically 4525 | symbols 4526 | symmetric 4527 | symmetrically 4528 | symmetry 4529 | system 4530 | systematic 4531 | systematically 4532 | systems 4533 | table 4534 | tables 4535 | tabling 4536 | take 4537 | taken 4538 | takes 4539 | taking 4540 | talk 4541 | talked 4542 | talker 4543 | talkers 4544 | talking 4545 | talks 4546 | tape 4547 | tapes 4548 | target 4549 | task 4550 | tasks 4551 | tax 4552 | taxed 4553 | teach 4554 | teacher 4555 | teachers 4556 | teaching 4557 | teachings 4558 | team 4559 | teams 4560 | technical 4561 | technically 4562 | technician 4563 | technicians 4564 | technique 4565 | techniques 4566 | technological 4567 | technologically 4568 | technologies 4569 | technologist 4570 | technologists 4571 | technology 4572 | teeth 4573 | telecommunication 4574 | telecommunications 4575 | telephone 4576 | telephones 4577 | telephoning 4578 | telephony 4579 | tell 4580 | tellers 4581 | telling 4582 | tells 4583 | temp 4584 | temperature 4585 | temporarily 4586 | temporary 4587 | ten 4588 | tend 4589 | tended 4590 | tendencies 4591 | tendency 4592 | tends 4593 | term 4594 | termed 4595 | terminal 4596 | terminals 4597 | terminate 4598 | terminated 4599 | terminates 4600 | terminating 4601 | termination 4602 | terms 4603 | test 4604 | tested 4605 | testing 4606 | tests 4607 | texas 4608 | text 4609 | texts 4610 | than 4611 | that 4612 | the 4613 | their 4614 | them 4615 | themselves 4616 | then 4617 | theorem 4618 | theoretical 4619 | theoretically 4620 | theory 4621 | there 4622 | thereby 4623 | therefore 4624 | thereof 4625 | these 4626 | they 4627 | thick 4628 | thickness 4629 | thin 4630 | thing 4631 | things 4632 | think 4633 | thinking 4634 | thinks 4635 | third 4636 | thirty 4637 | this 4638 | thoroughly 4639 | those 4640 | though 4641 | thought 4642 | three 4643 | threshold 4644 | thresholds 4645 | through 4646 | throughout 4647 | thus 4648 | tight 4649 | time 4650 | timed 4651 | timely 4652 | times 4653 | timing 4654 | tip 4655 | tips 4656 | title 4657 | titles 4658 | to 4659 | today 4660 | together 4661 | toggled 4662 | told 4663 | tolerance 4664 | tolerances 4665 | tolerant 4666 | tolerated 4667 | toll 4668 | tolls 4669 | tone 4670 | tones 4671 | too 4672 | took 4673 | tool 4674 | tools 4675 | top 4676 | topic 4677 | topical 4678 | topics 4679 | tops 4680 | total 4681 | totally 4682 | totals 4683 | touch 4684 | toward 4685 | towards 4686 | trace 4687 | traced 4688 | tracing 4689 | tracings 4690 | track 4691 | tracks 4692 | trade 4693 | traditional 4694 | traditionally 4695 | traffic 4696 | train 4697 | trained 4698 | trainee 4699 | trainees 4700 | training 4701 | transaction 4702 | transactions 4703 | transcribe 4704 | transcribed 4705 | transcribes 4706 | transcribing 4707 | transcription 4708 | transfer 4709 | transferred 4710 | transfers 4711 | transform 4712 | transformation 4713 | transformations 4714 | transformed 4715 | transforming 4716 | transistor 4717 | transistors 4718 | transit 4719 | transition 4720 | transitions 4721 | transitory 4722 | translate 4723 | translated 4724 | translation 4725 | translations 4726 | translator 4727 | translators 4728 | transmission 4729 | transmit 4730 | transmitted 4731 | transmitter 4732 | transmitting 4733 | transport 4734 | transportation 4735 | transporting 4736 | travel 4737 | traveled 4738 | travelers 4739 | traveling 4740 | traverse 4741 | traversed 4742 | traverses 4743 | traversing 4744 | tray 4745 | trays 4746 | treasury 4747 | treat 4748 | treated 4749 | treating 4750 | treatment 4751 | treats 4752 | tree 4753 | trees 4754 | trial 4755 | trials 4756 | triangle 4757 | triangles 4758 | triangular 4759 | tried 4760 | triggered 4761 | trip 4762 | trivial 4763 | trivially 4764 | trouble 4765 | troubles 4766 | truck 4767 | true 4768 | truly 4769 | try 4770 | trying 4771 | tube 4772 | turn 4773 | turned 4774 | turning 4775 | turns 4776 | twelve 4777 | twenty 4778 | twice 4779 | two 4780 | type 4781 | typed 4782 | types 4783 | typewriter 4784 | typical 4785 | typically 4786 | typing 4787 | typist 4788 | typists 4789 | ultimate 4790 | ultimately 4791 | unable 4792 | unacceptable 4793 | unacceptably 4794 | unaffected 4795 | unaltered 4796 | unassigned 4797 | unauthorized 4798 | unavoidable 4799 | unaware 4800 | unchanged 4801 | uncommon 4802 | uncover 4803 | uncovered 4804 | undefined 4805 | under 4806 | undergraduate 4807 | underlying 4808 | understand 4809 | understandable 4810 | understanding 4811 | understands 4812 | understood 4813 | undesirable 4814 | undetected 4815 | undivided 4816 | undocumented 4817 | unduly 4818 | uneasy 4819 | unequal 4820 | unexpected 4821 | unfamiliar 4822 | unfortunate 4823 | unfortunately 4824 | unidirectionality 4825 | unidirectionally 4826 | uniform 4827 | uniformity 4828 | uniformly 4829 | unimportant 4830 | union 4831 | unique 4832 | unit 4833 | united 4834 | units 4835 | unity 4836 | universal 4837 | universally 4838 | universe 4839 | universities 4840 | university 4841 | unknowingly 4842 | unknown 4843 | unless 4844 | unlikely 4845 | unlimited 4846 | unnecessarily 4847 | unnecessary 4848 | unofficial 4849 | unpublished 4850 | unrealistic 4851 | unrelated 4852 | unreliable 4853 | unresponsive 4854 | unsatisfactory 4855 | unspecified 4856 | unstable 4857 | unsupported 4858 | until 4859 | unused 4860 | unusual 4861 | unwanted 4862 | unwilling 4863 | unwise 4864 | unwritten 4865 | up 4866 | update 4867 | updated 4868 | updates 4869 | updating 4870 | upon 4871 | upper 4872 | us 4873 | usage 4874 | use 4875 | used 4876 | useful 4877 | usefulness 4878 | useless 4879 | user 4880 | users 4881 | uses 4882 | using 4883 | usual 4884 | usually 4885 | utilities 4886 | utility 4887 | utilization 4888 | utilize 4889 | utilized 4890 | utilizing 4891 | vacation 4892 | vacations 4893 | valid 4894 | validate 4895 | validated 4896 | validating 4897 | validation 4898 | validity 4899 | valuable 4900 | value 4901 | valued 4902 | values 4903 | van 4904 | variability 4905 | variable 4906 | variables 4907 | variance 4908 | variances 4909 | variation 4910 | variations 4911 | varied 4912 | varies 4913 | varieties 4914 | variety 4915 | various 4916 | variously 4917 | vary 4918 | varying 4919 | vast 4920 | vector 4921 | vectors 4922 | verbal 4923 | verification 4924 | verified 4925 | verifiers 4926 | verifies 4927 | verify 4928 | verifying 4929 | version 4930 | versions 4931 | vertical 4932 | vertically 4933 | very 4934 | via 4935 | viability 4936 | viable 4937 | vice 4938 | view 4939 | viewed 4940 | viewpoint 4941 | views 4942 | vis 4943 | visible 4944 | vision 4945 | visit 4946 | visited 4947 | visiting 4948 | visitor 4949 | visitors 4950 | visits 4951 | visual 4952 | vital 4953 | vocational 4954 | voice 4955 | voids 4956 | voltage 4957 | voltages 4958 | volume 4959 | volumes 4960 | wait 4961 | waited 4962 | waiting 4963 | walk 4964 | walking 4965 | walks 4966 | wall 4967 | walls 4968 | want 4969 | wanted 4970 | wanting 4971 | wants 4972 | war 4973 | warn 4974 | warned 4975 | warning 4976 | warnings 4977 | warrant 4978 | warranted 4979 | warrants 4980 | warranty 4981 | was 4982 | washington 4983 | wastage 4984 | waste 4985 | wasted 4986 | wasteful 4987 | wasting 4988 | water 4989 | wavelength 4990 | way 4991 | ways 4992 | we 4993 | weak 4994 | weakest 4995 | week 4996 | weekly 4997 | weeks 4998 | weight 4999 | weighted 5000 | weighting 5001 | weights 5002 | welcome 5003 | welcomes 5004 | well 5005 | went 5006 | were 5007 | western 5008 | what 5009 | whatever 5010 | when 5011 | whenever 5012 | where 5013 | whereas 5014 | whereby 5015 | wherein 5016 | wherever 5017 | whether 5018 | which 5019 | while 5020 | white 5021 | who 5022 | whole 5023 | whom 5024 | whose 5025 | why 5026 | wide 5027 | widely 5028 | wider 5029 | widespread 5030 | width 5031 | will 5032 | willfully 5033 | william 5034 | willing 5035 | willingly 5036 | willingness 5037 | wind 5038 | window 5039 | windows 5040 | wire 5041 | wired 5042 | wires 5043 | wiring 5044 | wise 5045 | wiser 5046 | wish 5047 | wishes 5048 | wishful 5049 | with 5050 | withdraw 5051 | withdrawal 5052 | withdrawals 5053 | within 5054 | without 5055 | witnessed 5056 | witnesses 5057 | women 5058 | word 5059 | wording 5060 | words 5061 | work 5062 | workable 5063 | worked 5064 | worker 5065 | workers 5066 | working 5067 | works 5068 | workshop 5069 | workshops 5070 | world 5071 | worlds 5072 | worry 5073 | worse 5074 | worst 5075 | worth 5076 | worthy 5077 | would 5078 | write 5079 | writer 5080 | writers 5081 | writes 5082 | writing 5083 | written 5084 | wrong 5085 | wrote 5086 | year 5087 | years 5088 | yes 5089 | yet 5090 | yield 5091 | yielded 5092 | yields 5093 | york 5094 | you 5095 | young 5096 | your 5097 | yours 5098 | zero 5099 | zeros 5100 | zone 5101 | zones --------------------------------------------------------------------------------